classification_cnn_keras_cross_validation.py 7.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241
  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
  32. from keras import backend as K
  33. from keras.utils import plot_model
  34. from modules.model_helper import plot_info
  35. ##########################################
  36. # Global parameters (with default value) #
  37. ##########################################
  38. img_width, img_height = 100, 100
  39. train_data_dir = 'data/train'
  40. validation_data_dir = 'data/validation'
  41. nb_train_samples = 7200
  42. nb_validation_samples = 3600
  43. epochs = 50
  44. batch_size = 16
  45. input_shape = (3, img_width, img_height)
  46. ###########################################
  47. '''
  48. Method which returns model to train
  49. @return : DirectoryIterator
  50. '''
  51. def generate_model():
  52. # create your model using this function
  53. model = Sequential()
  54. model.add(Conv2D(60, (2, 2), input_shape=input_shape))
  55. model.add(Activation('relu'))
  56. model.add(MaxPooling2D(pool_size=(2, 2)))
  57. model.add(Conv2D(40, (2, 2)))
  58. model.add(Activation('relu'))
  59. model.add(MaxPooling2D(pool_size=(2, 2)))
  60. model.add(Conv2D(20, (2, 2)))
  61. model.add(Activation('relu'))
  62. model.add(MaxPooling2D(pool_size=(2, 2)))
  63. model.add(Conv2D(40, (2, 2)))
  64. model.add(Activation('relu'))
  65. model.add(MaxPooling2D(pool_size=(2, 2)))
  66. model.add(Conv2D(20, (2, 2)))
  67. model.add(Activation('relu'))
  68. model.add(MaxPooling2D(pool_size=(2, 2)))
  69. model.add(Flatten())
  70. model.add(Dense(140))
  71. model.add(Activation('relu'))
  72. model.add(BatchNormalization())
  73. model.add(Dropout(0.3))
  74. model.add(Dense(120))
  75. model.add(Activation('relu'))
  76. model.add(BatchNormalization())
  77. model.add(Dropout(0.3))
  78. model.add(Dense(80))
  79. model.add(Activation('relu'))
  80. model.add(BatchNormalization())
  81. model.add(Dropout(0.2))
  82. model.add(Dense(40))
  83. model.add(Activation('relu'))
  84. model.add(BatchNormalization())
  85. model.add(Dropout(0.2))
  86. model.add(Dense(20))
  87. model.add(Activation('relu'))
  88. model.add(BatchNormalization())
  89. model.add(Dropout(0.2))
  90. model.add(Dense(1))
  91. model.add(Activation('sigmoid'))
  92. model.compile(loss='binary_crossentropy',
  93. optimizer='rmsprop',
  94. metrics=['accuracy'])
  95. return model
  96. def load_data():
  97. # load your data using this function
  98. # this is the augmentation configuration we will use for training
  99. train_datagen = ImageDataGenerator(
  100. rescale=1. / 255,
  101. shear_range=0.2,
  102. zoom_range=0.2,
  103. horizontal_flip=True)
  104. train_generator = train_datagen.flow_from_directory(
  105. train_data_dir,
  106. target_size=(img_width, img_height),
  107. batch_size=batch_size,
  108. class_mode='binary')
  109. return train_generator
  110. def train_and_evaluate_model(model, data_train, data_test):
  111. return model.fit_generator(
  112. data_train,
  113. steps_per_epoch=nb_train_samples // batch_size,
  114. epochs=epochs,
  115. shuffle=True,
  116. validation_data=data_test,
  117. validation_steps=nb_validation_samples // batch_size)
  118. def main():
  119. # update global variable and not local
  120. global batch_size
  121. global epochs
  122. global img_width
  123. global img_height
  124. global input_shape
  125. global train_data_dir
  126. global validation_data_dir
  127. global nb_train_samples
  128. global nb_validation_samples
  129. if len(sys.argv) <= 1:
  130. print('Run with default parameters...')
  131. print('classification_cnn_keras_svd.py --directory xxxx --output xxxxx --batch_size xx --epochs xx --img xx')
  132. sys.exit(2)
  133. try:
  134. opts, args = getopt.getopt(sys.argv[1:], "ho:d:b:e:i", ["help", "output=", "directory=", "batch_size=", "epochs=", "img="])
  135. except getopt.GetoptError:
  136. # print help information and exit:
  137. print('classification_cnn_keras_svd.py --directory xxxx --output xxxxx --batch_size xx --epochs xx --img xx')
  138. sys.exit(2)
  139. for o, a in opts:
  140. if o == "-h":
  141. print('classification_cnn_keras_svd.py --directory xxxx --output xxxxx --batch_size xx --epochs xx --img xx')
  142. sys.exit()
  143. elif o in ("-o", "--output"):
  144. filename = a
  145. elif o in ("-b", "--batch_size"):
  146. batch_size = int(a)
  147. elif o in ("-e", "--epochs"):
  148. epochs = int(a)
  149. elif o in ("-d", "--directory"):
  150. directory = a
  151. elif o in ("-i", "--img"):
  152. img_height = int(a)
  153. img_width = int(a)
  154. else:
  155. assert False, "unhandled option"
  156. # 3 because we have 3 color canals
  157. if K.image_data_format() == 'channels_first':
  158. input_shape = (3, img_width, img_height)
  159. else:
  160. input_shape = (img_width, img_height, 3)
  161. # configuration
  162. with open('config.json') as json_data:
  163. d = json.load(json_data)
  164. train_data_dir = d['train_data_dir']
  165. validation_data_dir = d['train_validation_dir']
  166. try:
  167. nb_train_samples = d[str(img_width)]['nb_train_samples']
  168. nb_validation_samples = d[str(img_width)]['nb_validation_samples']
  169. except:
  170. print("--img parameter missing of invalid (--image_width xx --img_height xx)")
  171. sys.exit(2)
  172. # load of model
  173. model = generate_model()
  174. model.summary()
  175. data_generator = ImageDataGenerator(rescale=1./255, validation_split=0.33)
  176. # check if possible to not do this thing each time
  177. train_generator = data_generator.flow_from_directory(train_data_dir, target_size=(img_width, img_height), shuffle=True, seed=13,
  178. class_mode='binary', batch_size=batch_size, subset="training")
  179. validation_generator = data_generator.flow_from_directory(train_data_dir, target_size=(img_width, img_height), shuffle=True, seed=13,
  180. class_mode='binary', batch_size=batch_size, subset="validation")
  181. # now run model
  182. history = train_and_evaluate_model(model, train_generator, validation_generator)
  183. print("directory %s " % directory)
  184. if(directory):
  185. print('Your model information will be saved into %s...' % directory)
  186. # if user needs output files
  187. if(filename):
  188. # update filename by folder
  189. if(directory):
  190. # create folder if necessary
  191. if not os.path.exists(directory):
  192. os.makedirs(directory)
  193. filename = directory + "/" + filename
  194. # save plot file history
  195. plot_info.save(history, filename)
  196. plot_model(model, to_file=str(('%s.png' % filename)))
  197. model.save_weights(str('%s.h5' % filename))
  198. if __name__ == "__main__":
  199. main()