-
Notifications
You must be signed in to change notification settings - Fork 2
/
intermediateLayerOutput.py
124 lines (109 loc) · 4.14 KB
/
intermediateLayerOutput.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
import os
import numpy as np
# For GPU
import tensorflow as tf
gpu_options = tf.GPUOptions(per_process_gpu_memory_fraction=0.20)
session = tf.Session(config=tf.ConfigProto(gpu_options=gpu_options))
from keras import backend as K
K.set_session(session)
from keras.utils.np_utils import to_categorical
from keras.preprocessing.image import img_to_array, load_img
import keras
from keras.applications import VGG16
from keras.preprocessing import image
from keras.applications.vgg16 import preprocess_input
from keras.models import Model
from keras.layers import Dense
import matplotlib.image as mtplt
# import matplotlib.pyplot as plt
# @param output_dim - the number of classes
# @temperature - temperature parameter for the final softmax
# return - compiled model
def getModel( output_dim ):
vgg_model = VGG16( weights='imagenet', include_top=True )
vgg_out = vgg_model.layers[-9].output # block2 pool's output
flat_layer = Flatten()(vgg_out)
softmax_layer = Dense(output_dim, activation='softmax')(flat_layer) # Create softmax layer taking input as vgg_out
tl_model = Model( input=vgg_model.input, output=softmax_layer)
for i in range(len(tl_model.layers)):
tl_model.layers[i].trainable = False
tl_model.layers[i].trainable = True
tl_model.compile(loss = 'categorical_crossentropy',optimizer='adam',metrics=['acc'])
return tl_model
# @param img_path - path to the image
# return - preprocessed image (vgg16's pre-processeing)
def preprocess(img_path):
img = image.load_img(img_path, target_size=(224, 224))
img = image.img_to_array(img)
if len(img.shape) != 3: # If greyscale, convert to color
x_new = np.zeros((img.shape[0], img.shape[1], 3))
x_new[:, :, 0] = img
x_new[:, :, 1] = img
x_new[:, :, 2] = img
img = x_new
x = np.expand_dims(img, axis=0)
x = preprocess_input(x)
return x
# @param samples - list of lists containining image file names
# @param n - number of images to be read
# return - tensor pair X, y (shuffled)
def make_tensor(samples,n):
X_list = []
y_list = []
for i in range(num_classes):
samples_lst = samples[i]
OHclassi = to_categorical(np.array([i]), num_classes)
if n!=-1:
idx = np.random.permutation(len(samples_lst))
samples_lst = [samples_lst[ix] for ix in idx[:n]]
for j in range(len(samples_lst)):
if samples_lst[j].lower().endswith(('.jpg', 'jpeg', 'png')):
x = preprocess(folders_lst[i]+'/'+samples_lst[j])
else:
continue
x = x.astype(float)
X_list.append(x[0])
y_list.append(OHclassi)
X = np.array(X_list)
y = np.array(y_list)[:,0,:]
idx = list(range(X.shape[0]))
np.random.shuffle(idx)
X = X[idx]
y = y[idx]
return X, y
np.random.seed(42)
# Path to dataset
pathToDataset = '256_ObjectCategories/'
folders_lst = [x[0] for x in os.walk(pathToDataset)]
folders_lst.sort()
folders_lst = folders_lst[1:]
# Appropriately sized network output
num_classes = len(folders_lst)
output_dim = num_classes
# Number of validation and test samples
numVal = 4
numTest = 25
# Use the remaining images for training
test_samples =[]
train_samples =[]
validation_samples =[]
for i in range(num_classes):
samples_lst = [e[2] for e in os.walk(folders_lst[i])][0]
np.random.shuffle(samples_lst)
validation_samples.append(samples_lst[:numVal])
test_samples.append(samples_lst[numVal:numVal+numTest])
train_samples.append(samples_lst[numVal+numTest:])
Xtest , ytest = make_tensor(test_samples,-1)
Xval , yval = make_tensor(validation_samples,-1)
Xtrain ,ytrain = make_tensor(train_samples, 8) # 8 training examples used per class
test_fname = open('test_log_conv2.txt', 'w')
tl_model = getModel( output_dim )
log_name = 'training_conv5.log'
csv_logger = keras.callbacks.CSVLogger(log_name, separator=',', append=False)
historyEpoch = tl_model.fit(Xtrain, ytrain, nb_epoch=15, batch_size=128, callbacks=[csv_logger], validation_data=(Xval,yval))
l = tl_model.evaluate(Xtest,ytest)
test_fname.write("conv5")
for item in l:
test_fname.write(";%s" % item)
test_fname.write("\n")
test_fname.close()