train_model.py 8.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215
  1. # main imports
  2. import numpy as np
  3. import pandas as pd
  4. import sys, os, argparse
  5. import json
  6. # model imports
  7. import cnn_models as models
  8. import tensorflow as tf
  9. import keras
  10. from keras import backend as K
  11. from keras.callbacks import ModelCheckpoint
  12. from sklearn.metrics import roc_auc_score, accuracy_score, precision_score, recall_score, f1_score
  13. # image processing imports
  14. import cv2
  15. from sklearn.utils import shuffle
  16. # config imports
  17. sys.path.insert(0, '') # trick to enable import of main folder module
  18. import custom_config as cfg
  19. def main():
  20. # default keras configuration
  21. config = tf.ConfigProto( device_count = {'GPU': 1 , 'CPU': 8})
  22. sess = tf.Session(config=config)
  23. keras.backend.set_session(sess)
  24. parser = argparse.ArgumentParser(description="Train Keras model and save it into .json file")
  25. parser.add_argument('--data', type=str, help='dataset filename prefix (without .train and .test)', required=True)
  26. parser.add_argument('--output', type=str, help='output file name desired for model (without .json extension)', required=True)
  27. parser.add_argument('--tl', type=int, help='use or not of transfer learning (`VGG network`)', default=0, choices=[0, 1])
  28. parser.add_argument('--batch_size', type=int, help='batch size used as model input', default=cfg.keras_batch)
  29. parser.add_argument('--epochs', type=int, help='number of epochs used for training model', default=cfg.keras_epochs)
  30. parser.add_argument('--val_size', type=float, help='percent of validation data during training process', default=cfg.val_dataset_size)
  31. args = parser.parse_args()
  32. p_data_file = args.data
  33. p_output = args.output
  34. p_tl = args.tl
  35. p_batch_size = args.batch_size
  36. p_epochs = args.epochs
  37. p_val_size = args.val_size
  38. ########################
  39. # 1. Get and prepare data
  40. ########################
  41. print("Preparing data...")
  42. dataset_train = pd.read_csv(p_data_file + '.train', header=None, sep=";")
  43. dataset_test = pd.read_csv(p_data_file + '.test', header=None, sep=";")
  44. print("Train set size : ", len(dataset_train))
  45. print("Test set size : ", len(dataset_test))
  46. # default first shuffle of data
  47. dataset_train = shuffle(dataset_train)
  48. dataset_test = shuffle(dataset_test)
  49. print("Reading all images data...")
  50. # getting number of chanel
  51. n_channels = len(dataset_train[1][1].split('::'))
  52. print("Number of channels : ", n_channels)
  53. img_width, img_height = cfg.keras_img_size
  54. # specify the number of dimensions
  55. if K.image_data_format() == 'channels_first':
  56. if n_channels > 1:
  57. input_shape = (1, n_channels, img_width, img_height)
  58. else:
  59. input_shape = (n_channels, img_width, img_height)
  60. else:
  61. if n_channels > 1:
  62. input_shape = (1, img_width, img_height, n_channels)
  63. else:
  64. input_shape = (img_width, img_height, n_channels)
  65. # `:` is the separator used for getting each img path
  66. if n_channels > 1:
  67. dataset_train[1] = dataset_train[1].apply(lambda x: [cv2.imread(path, cv2.IMREAD_GRAYSCALE) for path in x.split('::')])
  68. dataset_test[1] = dataset_test[1].apply(lambda x: [cv2.imread(path, cv2.IMREAD_GRAYSCALE) for path in x.split('::')])
  69. else:
  70. dataset_train[1] = dataset_train[1].apply(lambda x: cv2.imread(x, cv2.IMREAD_GRAYSCALE))
  71. dataset_test[1] = dataset_test[1].apply(lambda x: cv2.imread(x, cv2.IMREAD_GRAYSCALE))
  72. # reshape array data
  73. dataset_train[1] = dataset_train[1].apply(lambda x: np.array(x).reshape(input_shape))
  74. dataset_test[1] = dataset_test[1].apply(lambda x: np.array(x).reshape(input_shape))
  75. # get dataset with equal number of classes occurences
  76. noisy_df_train = dataset_train[dataset_train.ix[:, 0] == 1]
  77. not_noisy_df_train = dataset_train[dataset_train.ix[:, 0] == 0]
  78. nb_noisy_train = len(noisy_df_train.index)
  79. noisy_df_test = dataset_test[dataset_test.ix[:, 0] == 1]
  80. not_noisy_df_test = dataset_test[dataset_test.ix[:, 0] == 0]
  81. nb_noisy_test = len(noisy_df_test.index)
  82. final_df_train = pd.concat([not_noisy_df_train[0:nb_noisy_train], noisy_df_train])
  83. final_df_test = pd.concat([not_noisy_df_test[0:nb_noisy_test], noisy_df_test])
  84. # shuffle data another time
  85. final_df_train = shuffle(final_df_train)
  86. final_df_test = shuffle(final_df_test)
  87. final_df_train_size = len(final_df_train.index)
  88. final_df_test_size = len(final_df_test.index)
  89. # use of the whole data set for training
  90. x_dataset_train = final_df_train.ix[:,1:]
  91. x_dataset_test = final_df_test.ix[:,1:]
  92. y_dataset_train = final_df_train.ix[:,0]
  93. y_dataset_test = final_df_test.ix[:,0]
  94. x_data_train = []
  95. for item in x_dataset_train.values:
  96. #print("Item is here", item)
  97. x_data_train.append(item[0])
  98. x_data_train = np.array(x_data_train)
  99. x_data_test = []
  100. for item in x_dataset_test.values:
  101. #print("Item is here", item)
  102. x_data_test.append(item[0])
  103. x_data_test = np.array(x_data_test)
  104. print("End of loading data..")
  105. print("Train set size (after balancing) : ", final_df_train_size)
  106. print("Test set size (after balancing) : ", final_df_test_size)
  107. #######################
  108. # 2. Getting model
  109. #######################
  110. if not os.path.exists(cfg.backup_model_folder):
  111. os.makedirs(cfg.backup_model_folder)
  112. filepath = os.path.join(cfg.backup_model_folder, "{0}-{epoch:02d}.hdf5".format(p_output))
  113. checkpoint = ModelCheckpoint(filepath, monitor='val_auc', verbose=1, save_best_only=True, mode='max')
  114. callbacks_list = [checkpoint]
  115. model = models.get_model(n_channels, input_shape, p_tl)
  116. model.summary()
  117. model.fit(x_data_train, y_dataset_train.values, validation_split=p_val_size, epochs=p_epochs, batch_size=p_batch_size, callbacks=callbacks_list)
  118. score = model.evaluate(x_data_test, y_dataset_test, batch_size=p_batch_size)
  119. print("Accuracy score on test dataset ", score)
  120. if not os.path.exists(cfg.saved_models_folder):
  121. os.makedirs(cfg.saved_models_folder)
  122. # save the model into HDF5 file
  123. model_output_path = os.path.join(cfg.saved_models_folder, p_output + '.json')
  124. json_model_content = model.to_json()
  125. with open(model_output_path, 'w') as f:
  126. print("Model saved into ", model_output_path)
  127. json.dump(json_model_content, f, indent=4)
  128. model.save_weights(model_output_path.replace('.json', '.h5'))
  129. # Get results obtained from model
  130. y_train_prediction = model.predict(x_data_train)
  131. y_test_prediction = model.predict(x_data_test)
  132. y_train_prediction = [1 if x > 0.5 else 0 for x in y_train_prediction]
  133. y_test_prediction = [1 if x > 0.5 else 0 for x in y_test_prediction]
  134. acc_train_score = accuracy_score(y_dataset_train, y_train_prediction)
  135. acc_test_score = accuracy_score(y_dataset_test, y_test_prediction)
  136. f1_train_score = f1_score(y_dataset_train, y_train_prediction)
  137. f1_test_score = f1_score(y_dataset_test, y_test_prediction)
  138. recall_train_score = recall_score(y_dataset_train, y_train_prediction)
  139. recall_test_score = recall_score(y_dataset_test, y_test_prediction)
  140. pres_train_score = precision_score(y_dataset_train, y_train_prediction)
  141. pres_test_score = precision_score(y_dataset_test, y_test_prediction)
  142. roc_train_score = roc_auc_score(y_dataset_train, y_train_prediction)
  143. roc_test_score = roc_auc_score(y_dataset_test, y_test_prediction)
  144. # save model performance
  145. if not os.path.exists(cfg.results_information_folder):
  146. os.makedirs(cfg.results_information_folder)
  147. perf_file_path = os.path.join(cfg.results_information_folder, cfg.csv_model_comparisons_filename)
  148. with open(perf_file_path, 'a') as f:
  149. line = p_output + ';' + str(len(dataset_train)) + ';' + str(len(dataset_test)) + ';' \
  150. + str(final_df_train_size) + ';' + str(final_df_test_size) + ';' \
  151. + str(acc_train_score) + ';' + str(acc_test_score) + ';' \
  152. + str(f1_train_score) + ';' + str(f1_test_score) + ';' \
  153. + str(recall_train_score) + ';' + str(recall_test_score) + ';' \
  154. + str(pres_train_score) + ';' + str(pres_test_score) + ';' \
  155. + str(roc_train_score) + ';' + str(roc_test_score) + '\n'
  156. f.write(line)
  157. if __name__== "__main__":
  158. main()