完美解决TensorFlow和Keras大数据量内存溢出的问题

作者:刘开心_8a6c 时间:2021-09-23 07:07:33 

内存溢出问题是参加kaggle比赛或者做大数据量实验的第一个拦路虎。

以前做的练手小项目导致新手产生一个惯性思维——读取训练集图片的时候把所有图读到内存中,然后分批训练。

其实这是有问题的,很容易导致OOM。现在内存一般16G,而训练集图片通常是上万张,而且RGB图,还很大,VGG16的图片一般是224x224x3,上万张图片,16G内存根本不够用。这时候又会想起——设置batch,但是那个batch的输入参数却又是图片,它只是把传进去的图片分批送到显卡,而我OOM的地方恰是那个“传进去”的图片,怎么办?

解决思路其实说来也简单,打破思维定式就好了,不是把所有图片读到内存中,而是只把所有图片的路径一次性读到内存中。

大致的解决思路为:

将上万张图片的路径一次性读到内存中,自己实现一个分批读取函数,在该函数中根据自己的内存情况设置读取图片,只把这一批图片读入内存中,然后交给模型,模型再对这一批图片进行分批训练,因为内存一般大于等于显存,所以内存的批次大小和显存的批次大小通常不相同。

下面代码分别介绍Tensorflow和Keras分批将数据读到内存中的关键函数。Tensorflow对初学者不太友好,所以我个人现阶段更习惯用它的高层API Keras来做相关项目,下面的TF实现是之前不会用Keras分批读时候参考的一些列资料,在模型训练上仍使用Keras,只有分批读取用了TF的API。

Tensorlow

在input.py里写get_batch函数。


def get_batch(X_train, y_train, img_w, img_h, color_type, batch_size, capacity):
 '''
 Args:
   X_train: train img path list
   y_train: train labels list
   img_w: image width
   img_h: image height
   batch_size: batch size
   capacity: the maximum elements in queue
 Returns:
   X_train_batch: 4D tensor [batch_size, width, height, chanel],\
           dtype=tf.float32
   y_train_batch: 1D tensor [batch_size], dtype=int32
 '''
 X_train = tf.cast(X_train, tf.string)

y_train = tf.cast(y_train, tf.int32)

# make an input queue
 input_queue = tf.train.slice_input_producer([X_train, y_train])

y_train = input_queue[1]
 X_train_contents = tf.read_file(input_queue[0])
 X_train = tf.image.decode_jpeg(X_train_contents, channels=color_type)

X_train = tf.image.resize_images(X_train, [img_h, img_w],
                  tf.image.ResizeMethod.NEAREST_NEIGHBOR)

X_train_batch, y_train_batch = tf.train.batch([X_train, y_train],
                        batch_size=batch_size,
                        num_threads=64,
                        capacity=capacity)
 y_train_batch = tf.one_hot(y_train_batch, 10)

return X_train_batch, y_train_batch

在train.py文件中训练(下面不是纯TF代码,model.fit是Keras的拟合,用纯TF的替换就好了)。


X_train_batch, y_train_batch = inp.get_batch(X_train, y_train,
                      img_w, img_h, color_type,
                      train_batch_size, capacity)
X_valid_batch, y_valid_batch = inp.get_batch(X_valid, y_valid,
                      img_w, img_h, color_type,
                      valid_batch_size, capacity)
with tf.Session() as sess:

coord = tf.train.Coordinator()
 threads = tf.train.start_queue_runners(coord=coord)
 try:
   for step in np.arange(max_step):
     if coord.should_stop() :
       break
     X_train, y_train = sess.run([X_train_batch,
                      y_train_batch])
     X_valid, y_valid = sess.run([X_valid_batch,
                      y_valid_batch])

ckpt_path = 'log/weights-{val_loss:.4f}.hdf5'
     ckpt = tf.keras.callbacks.ModelCheckpoint(ckpt_path,
                          monitor='val_loss',
                          verbose=1,
                          save_best_only=True,
                          mode='min')
     model.fit(X_train, y_train, batch_size=64,
            epochs=50, verbose=1,
            validation_data=(X_valid, y_valid),
            callbacks=[ckpt])

del X_train, y_train, X_valid, y_valid

except tf.errors.OutOfRangeError:
   print('done!')
 finally:
   coord.request_stop()
 coord.join(threads)
 sess.close()

Keras

keras文档中对fit、predict、evaluate这些函数都有一个generator,这个generator就是解决分批问题的。

关键函数:fit_generator


# 读取图片函数
def get_im_cv2(paths, img_rows, img_cols, color_type=1, normalize=True):
 '''
 参数:
   paths:要读取的图片路径列表
   img_rows:图片行
   img_cols:图片列
   color_type:图片颜色通道
 返回:
   imgs: 图片数组
 '''
 # Load as grayscale
 imgs = []
 for path in paths:
   if color_type == 1:
     img = cv2.imread(path, 0)
   elif color_type == 3:
     img = cv2.imread(path)
   # Reduce size
   resized = cv2.resize(img, (img_cols, img_rows))
   if normalize:
     resized = resized.astype('float32')
     resized /= 127.5
     resized -= 1.

imgs.append(resized)

return np.array(imgs).reshape(len(paths), img_rows, img_cols, color_type)

获取批次函数,其实就是一个generator


def get_train_batch(X_train, y_train, batch_size, img_w, img_h, color_type, is_argumentation):
 '''
 参数:
   X_train:所有图片路径列表
   y_train: 所有图片对应的标签列表
   batch_size:批次
   img_w:图片宽
   img_h:图片高
   color_type:图片类型
   is_argumentation:是否需要数据增强
 返回:
   一个generator,x: 获取的批次图片 y: 获取的图片对应的标签
 '''
 while 1:
   for i in range(0, len(X_train), batch_size):
     x = get_im_cv2(X_train[i:i+batch_size], img_w, img_h, color_type)
     y = y_train[i:i+batch_size]
     if is_argumentation:
       # 数据增强
       x, y = img_augmentation(x, y)
     # 最重要的就是这个yield,它代表返回,返回以后循环还是会继续,然后再返回。就比如有一个机器一直在作累加运算,但是会把每次累加中间结果告诉你一样,直到把所有数加完
     yield({'input': x}, {'output': y})

训练函数


result = model.fit_generator(generator=get_train_batch(X_train, y_train, train_batch_size, img_w, img_h, color_type, True),
    steps_per_epoch=1351,
    epochs=50, verbose=1,
    validation_data=get_train_batch(X_valid, y_valid, valid_batch_size,img_w, img_h, color_type, False),
    validation_steps=52,
    callbacks=[ckpt, early_stop],
    max_queue_size=capacity,
    workers=1)

就是这么简单。但是当初从0到1的过程很难熬,每天都没有进展,没有头绪,急躁占据了思维的大部,熬过了这个阶段,就会一切顺利,不是运气,而是踩过的从0到1的每个脚印累积的灵感的爆发,从0到1的脚印越多,后面的路越顺利。

来源:https://www.jianshu.com/p/5bdae9dcfc9c

标签:TensorFlow,Keras,内存,溢出
0
投稿

猜你喜欢

  • pytorch中的优化器optimizer.param_groups用法

    2023-02-12 08:10:08
  • 一次性压缩Sqlserver2005中所有库日志的存储过程

    2012-01-29 17:58:28
  • 代码实例讲解python3的编码问题

    2022-08-19 10:59:15
  • 5个有趣的浏览器地址栏Javascript代码

    2008-07-21 13:04:00
  • 15个用户体验设计剖析

    2010-05-11 16:43:00
  • 解决Golang中goroutine执行速度的问题

    2023-08-25 20:12:12
  • 深刻理解Oracle数据库的启动和关闭

    2010-07-26 13:08:00
  • 10个python3常用排序算法详细说明与实例(快速排序,冒泡排序,桶排序,基数排序,堆排序,希尔排序,归并排序,计数排序)

    2021-05-21 05:28:13
  • 分面搜索(Faceted Search)

    2009-07-31 12:44:00
  • 可能是最全面的 Python 字符串拼接总结【收藏】

    2023-10-06 14:29:20
  • python判断字符串是否包含子字符串的方法

    2021-01-04 12:48:03
  • 如何在页面中对不同的数据进行相同的处理?

    2010-06-26 12:30:00
  • 《悟透JavaScript》之 甘露模型

    2008-06-09 14:03:00
  • python数据结构之面向对象

    2021-04-09 08:02:06
  • Webots下载安装 + Pycharm联调使用教程

    2023-02-20 23:35:43
  • python3环境搭建过程(利用Anaconda+pycharm)完整版

    2022-01-16 06:04:47
  • python文件操作seek()偏移量,读取指正到指定位置操作

    2023-07-22 10:29:14
  • SQLServer 游标简介与使用说明

    2009-07-02 13:53:00
  • python 基于selenium实现鼠标拖拽功能

    2022-10-30 17:03:07
  • CSS控制Table表格文字样式

    2008-06-11 18:53:00
  • asp之家 网络编程 m.aspxhome.com