classification_cnn_keras_svd.py 6.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246
  1. '''This script goes along the blog post
  2. "Building powerful image classification models using very little data"
  3. from blog.keras.io.
  4. ```
  5. data/
  6. train/
  7. final/
  8. final001.png
  9. final002.png
  10. ...
  11. noisy/
  12. noisy001.png
  13. noisy002.png
  14. ...
  15. validation/
  16. final/
  17. final001.png
  18. final002.png
  19. ...
  20. noisy/
  21. noisy001.png
  22. noisy002.png
  23. ...
  24. ```
  25. '''
  26. import sys, os, getopt
  27. import json
  28. from keras.preprocessing.image import ImageDataGenerator
  29. from keras.models import Sequential
  30. from keras.layers import Conv2D, MaxPooling2D, AveragePooling2D
  31. from keras.layers import Activation, Dropout, Flatten, Dense, BatchNormalization
  32. from keras.optimizers import Adam
  33. from keras.regularizers import l2
  34. from keras import backend as K
  35. from keras.utils import plot_model
  36. import tensorflow as tf
  37. import numpy as np
  38. from modules.model_helper import plot_info
  39. from modules.image_metrics import svd_metric
  40. ##########################################
  41. # Global parameters (with default value) #
  42. ##########################################
  43. img_width, img_height = 100, 100
  44. train_data_dir = 'data/train'
  45. validation_data_dir = 'data/validation'
  46. nb_train_samples = 7200
  47. nb_validation_samples = 3600
  48. epochs = 50
  49. batch_size = 16
  50. input_shape = (3, img_width, img_height)
  51. ###########################################
  52. '''
  53. Method which returns model to train
  54. @return : DirectoryIterator
  55. '''
  56. def generate_model():
  57. model = Sequential()
  58. model.add(Conv2D(30, (2, 1), input_shape=input_shape))
  59. model.add(Activation('relu'))
  60. model.add(BatchNormalization())
  61. model.add(MaxPooling2D(pool_size=(2, 1)))
  62. model.add(Conv2D(20, (2, 1)))
  63. model.add(Activation('relu'))
  64. model.add(MaxPooling2D(pool_size=(2, 1)))
  65. model.add(Conv2D(10, (2, 1)))
  66. model.add(Activation('relu'))
  67. model.add(MaxPooling2D(pool_size=(2, 1)))
  68. model.add(Flatten())
  69. model.add(Dense(70, kernel_regularizer=l2(0.01)))
  70. model.add(BatchNormalization())
  71. model.add(Activation('relu'))
  72. model.add(Dropout(0.3))
  73. model.add(Dense(50, kernel_regularizer=l2(0.01)))
  74. model.add(BatchNormalization())
  75. model.add(Activation('relu'))
  76. model.add(Dropout(0.4))
  77. model.add(Dense(30, kernel_regularizer=l2(0.01)))
  78. model.add(BatchNormalization())
  79. model.add(Activation('relu'))
  80. model.add(Dropout(0.3))
  81. model.add(Dense(10, kernel_regularizer=l2(0.01)))
  82. model.add(BatchNormalization())
  83. model.add(Activation('relu'))
  84. model.add(Dropout(0.1))
  85. model.add(Dense(1))
  86. model.add(Activation('sigmoid'))
  87. model.compile(loss='binary_crossentropy',
  88. optimizer='rmsprop',
  89. metrics=['accuracy'])
  90. return model
  91. '''
  92. Method which loads train data
  93. @return : DirectoryIterator
  94. '''
  95. def load_train_data():
  96. # this is the augmentation configuration we will use for training
  97. train_datagen = ImageDataGenerator(
  98. #rescale=1. / 255,
  99. #shear_range=0.2,
  100. #zoom_range=0.2,
  101. #horizontal_flip=True,
  102. preprocessing_function=svd_metric.get_s_model_data)
  103. train_generator = train_datagen.flow_from_directory(
  104. train_data_dir,
  105. target_size=(img_width, img_height),
  106. batch_size=batch_size,
  107. class_mode='binary')
  108. return train_generator
  109. '''
  110. Method which loads validation data
  111. @return : DirectoryIterator
  112. '''
  113. def load_validation_data():
  114. # this is the augmentation configuration we will use for testing:
  115. # only rescaling
  116. test_datagen = ImageDataGenerator(
  117. #rescale=1. / 255,
  118. preprocessing_function=svd_metric.get_s_model_data)
  119. validation_generator = test_datagen.flow_from_directory(
  120. validation_data_dir,
  121. target_size=(img_width, img_height),
  122. batch_size=batch_size,
  123. class_mode='binary')
  124. return validation_generator
  125. def main():
  126. # update global variable and not local
  127. global batch_size
  128. global epochs
  129. global img_width
  130. global img_height
  131. global input_shape
  132. global train_data_dir
  133. global validation_data_dir
  134. global nb_train_samples
  135. global nb_validation_samples
  136. if len(sys.argv) <= 1:
  137. print('Run with default parameters...')
  138. print('classification_cnn_keras_svd.py --directory xxxx --output xxxxx --batch_size xx --epochs xx --img xx')
  139. sys.exit(2)
  140. try:
  141. opts, args = getopt.getopt(sys.argv[1:], "ho:d:b:e:i", ["help", "output=", "directory=", "batch_size=", "epochs=", "img="])
  142. except getopt.GetoptError:
  143. # print help information and exit:
  144. print('classification_cnn_keras_svd.py --directory xxxx --output xxxxx --batch_size xx --epochs xx --img xx')
  145. sys.exit(2)
  146. for o, a in opts:
  147. if o == "-h":
  148. print('classification_cnn_keras_svd.py --directory xxxx --output xxxxx --batch_size xx --epochs xx --img xx')
  149. sys.exit()
  150. elif o in ("-o", "--output"):
  151. filename = a
  152. elif o in ("-b", "--batch_size"):
  153. batch_size = int(a)
  154. elif o in ("-e", "--epochs"):
  155. epochs = int(a)
  156. elif o in ("-d", "--directory"):
  157. directory = a
  158. elif o in ("-i", "--img"):
  159. img_height = int(a)
  160. img_width = int(a)
  161. else:
  162. assert False, "unhandled option"
  163. # 3 because we have 3 color canals
  164. if K.image_data_format() == 'channels_first':
  165. input_shape = (3, img_width, img_height)
  166. else:
  167. input_shape = (img_width, img_height, 3)
  168. # configuration
  169. with open('config.json') as json_data:
  170. d = json.load(json_data)
  171. train_data_dir = d['train_data_dir']
  172. validation_data_dir = d['train_validation_dir']
  173. try:
  174. nb_train_samples = d[str(img_width)]['nb_train_samples']
  175. nb_validation_samples = d[str(img_width)]['nb_validation_samples']
  176. except:
  177. print("--img parameter missing of invalid (--image_width xx --img_height xx)")
  178. sys.exit(2)
  179. # load of model
  180. model = generate_model()
  181. model.summary()
  182. if(directory):
  183. print('Your model information will be saved into %s...' % directory)
  184. history = model.fit_generator(
  185. load_train_data(),
  186. steps_per_epoch=nb_train_samples // batch_size,
  187. epochs=epochs,
  188. validation_data=load_validation_data(),
  189. validation_steps=nb_validation_samples // batch_size)
  190. # if user needs output files
  191. if(filename):
  192. # update filename by folder
  193. if(directory):
  194. # create folder if necessary
  195. if not os.path.exists(directory):
  196. os.makedirs(directory)
  197. filename = directory + "/" + filename
  198. # save plot file history
  199. plot_info.save(history, filename)
  200. plot_model(model, to_file=str(('%s.png' % filename)), show_shapes=True)
  201. model.save_weights(str('%s.h5' % filename))
  202. if __name__ == "__main__":
  203. main()