CS20si 第9课: 输入流程与风格迁移

第9课: 输入流程与风格迁移

CS20si课程资料和代码Github地址

在看完GANs后,课程回到TensorFlow的正题上来。

队列(Queue)和协调器(Coordinator)

我们简要提到过队列但是从没有详细讨论它,在TensorFlow文档中,队列被描述为:“在计算图中实现异步计算的重要对象”。

如果你做过任何深度学习的项目,可能就不需要我来说服你为什么需要异步编程。在输入管道中,多个线程可以帮助我们减轻读取数据阶段的瓶颈,因为读取数据需要等很长时间。例如用队列来准备训练模型所需的数据,我们需要:

  • 用多线程准备训练样本,然后将它们推入队列中。
  • 一个训练线程从队列中取出mini-batch执行一个训练计算。

TensorFlow的Session对象被设计为支持多线程的,所以多个线程可以简单的用同一个Session并行的执行运算。然而,实现一个Python程序像上面描述那样驾驭线程并不那么容易。所有线程必须能够一起停止,异常必须被捕获并报出,而且停止时队列必须被合理的关闭。

文档上看起来像是在使用队列时多线程是可选的,但是实际上不用多线程,你的队列很可能会阻塞然后使程序崩溃。幸运的是,TensorFlow提供了两个类帮助使用多线程队列:tf.Coordinatortf.QueueRunner,这两个类需要一起使用。Coordinator类帮助多个线程一起停止并报告异常,QueueRunner类用来创建一定数量的线程推送tensors到一个队列中。

这里有两个主要的队列类:tf.FIFOQueuetf.RandomShuffleQueue。FIFOQueue创建一个先入先出的队列,而RandomShuffleQueue创建随机出队的队列。这两个队列支持enqueueenqueue_manydequeue的操作。一种常见的做法是在读取数据时enqueue多个样本,然后一个个的dequeue它们,dequeue_many是不允许的。如果你需要为mini-batch训练读取多个样本时,可以使用tf.train.batch或者tf.train.shuffle_batch

import tensorflow as tf

q = tf.FIFOQueue(3, "float")
init = q.enqueue_many(([0., 0., 0.],))

x = q.dequeue()
y = x + 1
q_inc = q.enqueue([y])

with tf.Session() as sess:
    init.run()
    q_inc.run()
    q_inc.run()
    q_inc.run()
    q_inc.run()
    print(sess.run(x))
    print(sess.run(x))
    print(sess.run(x))

tf.PaddingFIFOQueue是支持批量大小可变的FIFOQueue,它还支持dequeue_many。有时候你需要灌入不同大小batch,例如NLP中的序列到序列模型,大多数时候你希望以一句话作为一个batch,但是句子的长度是不同的。除此之外还有tf.PriorityQueue,它的进队和出队参考另一个参数:权重(priority)。

我不知道为什么只有PaddingFIFOQueue支持dequeue_many,但是从TensorFlow的GitHub上报告的问题来看似乎是因为其它队列在使用'dequeue_many'时出现了很多问题所以被禁止了。

你可以不使用参数创建一个队列,例如参数:min_after_dequeue
(出队列后队列中元素的最小数量)、bounded capacity
(队列中的最大元素个数)和队列中元素的形状(如果形状为None,
元素可以是任何形状)。然而在实践中很少单独使用队列,而总是和string_input_producer一起使用,因此我们将简要地过一下这一节,而在string_input_producer中详细介绍。

tf ​. ​RandomShuffleQueue ​( ​capacity ​, ​ min_after_dequeue ​, ​ dtypes ​, ​ shapes ​= ​None ​, ​ names ​= ​None ​,
seed ​= ​None ​, ​ shared_name ​= ​None ​, ​ name ​= ​'random_shuffle_queue')

在课程GitHub中的09_queue_example.py中可以看到这样一个列子。

N_SAMPLES ​= ​ ​1000
NUM_THREADS ​= ​ 4
# Generating some simple data
# create 1000 random samples, each is a 1D array from the normal distribution (10, 1)
data ​= ​ ​10 ​ ​* ​ np ​. ​random ​. ​randn ​( ​N_SAMPLES ​, ​ ​4 ​) ​ ​+ ​ ​1
# create 1000 random labels of 0 and 1
target ​= ​ np ​. ​random ​. ​randint ​( ​0 ​, ​ ​2 ​, ​ size ​= ​N_SAMPLES ​)
queue ​= ​ tf ​. ​FIFOQueue ​( ​capacity ​= ​50 ​, ​ dtypes ​=[ ​tf ​. ​float32 ​, ​ tf ​. ​int32 ​], ​ shapes ​=[[ ​4 ​], ​ ​[]])
enqueue_op ​= ​ queue ​. ​enqueue_many ​([ ​data ​, ​ target ​])
dequeue_op ​= ​ queue ​. ​dequeue ​()
# create NUM_THREADS to do enqueue
qr ​= ​ tf ​. ​train ​. ​QueueRunner ​( ​queue ​, ​ ​[ ​enqueue_op ​] ​ ​* ​ NUM_THREADS)
with ​ tf ​. ​Session ​() ​ ​as ​ sess:
    # Create a coordinator, launch the queue runner threads.
    coord ​= ​ tf ​. ​train ​. ​Coordinator ​()
    enqueue_threads ​= ​ qr ​. ​create_threads ​( ​sess ​, ​ coord ​= ​coord ​, ​ start ​= ​True)
    for ​ step ​in ​ xrange ​( ​100 ​): ​ ​# do to 100 iterations
        if ​ coord ​. ​should_stop ​():
            break
        data_batch ​, ​ label_batch ​= ​ sess ​. ​run ​( ​dequeue_op)
    coord ​. ​request_stop ​()
    coord ​. ​join ​( ​enqueue_threads)

在TensorFlow队列中你也可以不使用tf.Coordinator,但是可以使用它来管理你创建的任何线程。例如你使用Python线程包创建线程做一些事,你仍然可以使用tf.Coordinator来管理这些线程。(译者:在1.8版中为tf.train.Coordinator)

import threading
# thread body: loop until the coordinator indicates a stop was requested.
# if some condition becomes true, ask the coordinator to stop.
def ​ my_loop ​( ​coord ​):
    while ​ ​not ​ coord ​. ​should_stop ​():
        ... ​do ​ something ​...
        if ​ ​... ​some condition ​...:
            coord ​. ​request_stop ​()
# main code: create a coordinator.
coord ​= ​ tf ​. ​Coordinator ​()
# create 10 threads that run 'my_loop()'
# you can also create threads using QueueRunner as the example above
threads ​= ​ ​[ ​threading ​. ​Thread ​( ​target ​= ​my_loop ​, ​ args ​=( ​coord ​,)) ​ ​for ​ _ ​in ​ xrange ​( ​10 ​)]
# start the threads and wait for all of them to stop.
for ​ t ​in ​ threads ​:
    t ​. ​start ​()
coord ​. ​join ​( ​threads)

数据读取器(Data Reader)

我们已经学习了3种TensorFlow读取数据的方法,第一种是从常量(Constant)中读取,第二种是用feed_dict读取,第三种也是最常用的做法是用DataReader直接从存储中读取数据。

TensorFlow为常见的数据类型内建了一些Reader,最通用的一个是TextLineReader,它每次读取一行。除此之外还有读定长数据的Reader,读取整个文件的Reader,读取TFRecord类型数据(下面要讲到)的Reader。

tf ​. ​TextLineReader
Outputs ​ the lines of a file delimited ​by ​ newlines
E ​. ​g ​. ​ text files ​, ​ CSV files
tf ​. ​FixedLengthRecordReader
Outputs ​ the entire file ​when ​ all files have same ​fixed ​ lengths
E ​. ​g ​. ​ each MNIST file has ​28 ​ x ​28 ​ pixels ​, ​ CIFAR ​- ​10 ​ ​32 ​ x ​32 ​ x 3
tf ​. ​WholeFileReader
Outputs ​ the entire file content. This is useful when each file contains a sample
tf ​. ​TFRecordReader
Reads ​ samples ​from ​ ​TensorFlow ​' ​s own binary format ​( ​TFRecord)
tf ​. ​ReaderBase
Allows ​ you to create your own readers

要使用Data Reader,我们首先要建立一个队列并用tf.train.string_input_producer获得所有你要读取的文件名。

filename_queue ​= ​ tf ​. ​train ​. ​string_input_producer ​([ ​"heart.csv" ​])
reader ​= ​ tf ​. ​TextLineReader ​(skip_header_lines=1)
# it means you choose to skip the first line for every file in the queue

你可以将Reader想象成你每调用一次只返回一个值的运算 - 类似于Python的生成器(generator)。所以当你调用reader.read()的时候它返回一个键值对,其中的键是能够标识文件和数据的字符串。

key ​, ​ value ​= ​ reader ​. ​read ​( ​filename_queue)

例如上面的语句可能返回:

key ​ ​= ​ data ​/ ​heart ​. ​csv ​:2
value ​ ​= ​ ​144 ​, ​0.01 ​, ​4.41 ​, ​28.61 ​, ​Absent ​, ​55 ​, ​28.87 ​, ​2.06 ​, ​63 ​,1

表示数据​144 ​, ​0.01 ​, ​4.41 ​, ​28.61 ​, ​Absent ​, ​55 ​, ​28.87 ​, ​2.06 ​, ​63 ​,1是文件data/heart.csv的第2航。

tf.train.string_input_producer在后台创建了一个FIFOQueue,所以要用队列,我们需要同时使用tf.Coordinatortf.QueueRunner

filename_queue ​= ​ tf ​. ​train ​. ​string_input_producer ​( ​filenames)
reader ​= ​ tf ​. ​TextLineReader ​( ​skip_header_lines ​= ​1 ​) ​ ​# skip the first line in the file
key ​, ​ value ​= ​ reader ​. ​read ​( ​filename_queue)
with ​ tf ​. ​Session ​() ​ ​as ​ sess:
    coord ​= ​ tf ​. ​train ​. ​Coordinator ​()
    threads ​= ​ tf ​. ​train ​. ​start_queue_runners ​( ​coord ​= ​coord)
    ​print ​ sess ​. ​run ​( ​key) # data ​/ ​heart ​. ​csv ​:2
    ​print ​ sess ​. ​run ​( ​value) # ​144 ​, ​0.01 ​, ​4.41 ​, ​28.61 ​, ​Absent ​, ​55 ​, ​28.87 ​, ​2.06 ​, ​63 ​,1
    coord ​. ​request_stop ​()
    coord ​. ​join ​( ​threads)

我们获得的是value是字符串tensor,接下来用TensorFlow的CSV解码器将value转换为向量。

content ​= ​ tf . decode_csv ​( ​value ​, ​ record_defaults ​= ​record_defaults ​)

上面的record_defaults需要我们自己建立,它表示两点内容:

  • 告诉解码器每一列都是什么数据类型。
  • 在数值为空的情况下每一列的默认值是多少。

定义所有列的类型和初始值。

record_defaults ​= ​ ​[[ ​1.0 ​] ​ ​for ​ _ ​in ​ range ​( ​N_FEATURES ​)] # define all features to be floats
record_defaults ​[ ​4 ​] ​ ​= ​ ​[ ​''] # make the fifth feature string
record_defaults ​. ​append ​([ ​1 ​])
content ​= ​ tf ​. ​decode_csv ​( ​value ​, ​ record_defaults ​= ​record_defaults ​)

你可以在灌数据之前做所有你想做的数据预处理。例如我们的数据有8个浮点值,1个字符串和1个整数值,我们将把字符串转换为浮点数,然后将9个特征转换为一个tensor以便灌入模型。

# convert the 5th column (present/absent) to the binary value 0 and 1
condition ​= ​ tf ​. ​equal ​( ​content ​[ ​4 ​], ​ tf ​. ​constant ​( ​'Present' ​))
content ​[ ​4 ​] ​ ​= ​ tf ​. ​select ​( ​condition ​, ​ tf ​. ​constant ​( ​1.0 ​), ​ tf ​. ​constant ​( ​0.0 ​))
# pack all 9 features into a tensor
features ​= ​ tf ​. ​pack ​( ​content ​[: ​N_FEATURES ​])
# assign the last column to label
label ​= ​ content ​[- ​1]

于是每一次Reader从CSV文件中读取一行,就会被转换为特征向量和标签。

但是你一般不想灌入一个单独的样本到模型中,而是希望灌入一个batch数据。你可以用tf.train.batch或者tf.train.shuffle_batch做这个。

# minimum number elements in the queue after a dequeue, used to ensure
# that the samples are sufficiently mixed
# I think 10 times the BATCH_SIZE is sufficient
min_after_dequeue ​= ​ ​10 ​ ​* ​ BATCH_SIZE
# the maximum number of elements in the queue
capacity ​= ​ ​20 ​ ​* ​ BATCH_SIZE
# shuffle the data to generate BATCH_SIZE sample pairs
data_batch ​, ​ label_batch ​= ​ tf ​. ​train ​. ​shuffle_batch ​([ ​features ​, ​ label ​], ​ batch_size ​= ​BATCH_SIZE ​,
                                        capacity ​= ​capacity ​, ​ min_after_dequeue ​= ​min_after_dequeue)

这样就做完了,你可以简单的像在以前的模型中使用input_placeholderlabel_placeholder中那样使用data_batchlabel_batch,除非你不需要通过feed_dict灌数据。完整的代码在课程GitHub中的05_csv_reader.py中。

TFRecord

二进制文件非常有用,虽然我遇到过很多人都不喜欢用,因为他们认为二进制文件很麻烦。如果你是他们中的一员,我希望通过这节课能够帮助你克服对二进制文件的非理性恐惧。它们能更好的利用磁盘缓存,它们能很快的迁移,它们能存储不同类型的数据。(所以你可以把图片和标签放在一个地方)

像很多机器学习框架一样,TensorFlow有自己的二进制数据格式,名叫TFRecord。TFRecord是一个序列化的tf.train.Example类型的Protobuf对象,可以用简单几行代码进行创建。下面是将一幅图片转换为TFRecord的例子。

首先,我们需要读取图片然后将它转换为二进制字节流。

def ​get_image_binary ​( ​filename ​):
    image ​= ​ ​Image ​. ​open ​( ​filename)
    image ​= ​ np ​. ​asarray ​( ​image ​, ​ np ​. ​uint8)
    shape ​= ​ np ​. ​array ​( ​image ​. ​shape ​, ​ np ​. ​int32)
    ​return ​ shape ​. ​tobytes ​(), ​ image ​. ​tobytes ​() ​ ​# convert image to raw data bytes in the array.

下一步,用tf.python_io.TFRecordWritertf.train.Feature将这些字节写入TFRecord。你需要shape信息去重建图片。

def ​write_to_tfrecord ​( ​label ​, ​ shape ​, ​ binary_image ​, ​ tfrecord_file ​):
    ​""" This example is to write a sample to TFRecord file. If you want to write
    more samples ​, ​ just ​use ​ a loop.
    ​"""
    writer ​= ​ tf ​. ​python_io ​. ​TFRecordWriter ​( ​tfrecord_file)
    ​# write label, shape, and image content to the TFRecord file
    example ​= ​ tf ​. ​train ​. ​Example ​( ​features ​= ​tf ​. ​train ​. ​Features ​( ​feature ​={
                ​'label' ​: ​ tf ​. ​train ​. ​Feature ​( ​bytes_list ​= ​tf ​. ​train ​. ​BytesList ​( ​value ​=[ ​label ​])),
                ​'shape' ​: ​ tf ​. ​train ​. ​Feature ​( ​bytes_list ​= ​tf ​. ​train ​. ​BytesList ​( ​value ​=[ ​shape ​])),
                ​'image' ​: ​tf ​. ​train ​. ​Feature ​( ​bytes_list ​= ​tf ​. ​train ​. ​BytesList ​(
                value ​=[ ​binary_image ​]))
                ​}))
    writer ​. ​write ​( ​example ​. ​SerializeToString ​())
    writer ​. ​close ​()

要读取一个TFRecord文件,可以用TFRecordReadertf.decode_raw

def ​read_from_tfrecord ​( ​filenames ​):
    tfrecord_file_queue ​= ​ tf ​. ​train ​. ​string_input_producer ​( ​filenames ​, ​ name ​= ​'queue' ​)
    reader ​= ​ tf ​. ​TFRecordReader ​()
    _ ​, ​ tfrecord_serialized ​= ​ reader ​. ​read ​( ​tfrecord_file_queue ​)
    ​# label and image are stored as bytes but could be stored as ​# int64 or float64 values in a serialized tf.Example protobuf.
    tfrecord_features ​= ​ tf ​. ​parse_single_example ​( ​tfrecord_serialized ​,
                        features ​={
                        ​'label' ​: ​ tf ​. ​FixedLenFeature ​([], ​ tf ​. ​string ​),
                        ​'shape' ​: ​ tf ​. ​FixedLenFeature ​([], ​ tf ​. ​string ​),
                        ​'image' ​: ​ tf ​. ​FixedLenFeature ​([], ​ tf ​. ​string ​),
                        ​}, ​ name ​= ​'features' ​)
    ​# image was saved as uint8, so we have to decode as uint8.
    image ​= ​ tf ​. ​decode_raw ​( ​tfrecord_features ​[ ​'image' ​], ​ tf ​. ​uint8 ​)
    shape ​= ​ tf ​. ​decode_raw ​( ​tfrecord_features ​[ ​'shape' ​], ​ tf ​. ​int32 ​)
    ​# the image tensor is flattened out, so we have to reconstruct the shape
    image ​= ​ tf ​. ​reshape ​( ​image ​, ​ shape ​)
    label ​= ​ tf ​. ​cast ​( ​tfrecord_features ​[ ​'label' ​], ​ tf ​. ​string ​)
    ​return ​ label ​, ​ shape ​, ​ image

记住这些标签、图片还原成一些tensor对象,要获得它们的值你必须使用tf.Session()计算。

风格迁移

这部分内容在第二次作业中。

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 214,172评论 6 493
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 91,346评论 3 389
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 159,788评论 0 349
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 57,299评论 1 288
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,409评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,467评论 1 292
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,476评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,262评论 0 269
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,699评论 1 307
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,994评论 2 328
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,167评论 1 343
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,827评论 4 337
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,499评论 3 322
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,149评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,387评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,028评论 2 365
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,055评论 2 352

推荐阅读更多精彩内容