-
Notifications
You must be signed in to change notification settings - Fork 4
/
train_2step_3l.py
362 lines (305 loc) · 13.3 KB
/
train_2step_3l.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
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
"""
Functions for testing conv net, training and testing on just one image
Version that works with Conv that uses randomization on beginning
"""
import os
import sys
import time
import logging
import numpy as np
# import visualize
import theano
import theano.tensor as T
from helpers.data_helper import shared_dataset
from helpers.data_helper import build_care_classes
from helpers.data_helper import calc_class_freqs
from helpers.build_multiscale import get_net_builder
from helpers.build_multiscale import extend_net_w1l_drop
from helpers.layers.log_reg import build_loss
from helpers.weight_updates import gradient_updates_rms, gradient_updates_SGD
from helpers.eval import eval_model
from preprocessing.perturb_dataset import change_train_set_multiscale
from preprocessing.transform_out import resize_marked_image
from util import try_pickle_load
from helpers.load_conf import load_config
from helpers.load_conf import convert_to_function_params
logger = logging.getLogger(__name__)
ReLU = lambda x: T.maximum(x, 0)
lReLU = lambda x: T.maximum(x, 1./5 * x) # leaky ReLU
def build_weight_updates(configuration, cost, params):
"""
configuration: dictionary
'training' part of network configuration
"""
update_modes = {}
update_modes['rms'] = gradient_updates_rms
update_modes['sgd'] = gradient_updates_SGD
p = convert_to_function_params(configuration['optimization-params'])
p['cost'] = cost
p['params'] = params
return update_modes[configuration['optimization']](**p)
def evaluate_conv(conf, net_weights=None):
""" Evaluates Farabet-like conv network
conf: dictionary
network configuration
"""
################
# LOADING DATA #
################
logger.info("... loading data")
logger.debug("Theano.config.floatX is %s" % theano.config.floatX)
path = conf['data']['location']
batch_size = conf['evaluation']['batch-size']
assert(type(batch_size) is int)
logger.info('Batch size %d' % (batch_size))
try:
x_train_allscales = try_pickle_load(path + 'x_train.bin')
x_train = x_train_allscales[0] # first scale
y_train = try_pickle_load(path + 'y_train.bin')
x_test_allscales = try_pickle_load(path + 'x_validation.bin')
x_test = x_test_allscales[0]
y_test = try_pickle_load(path + 'y_validation.bin')
except IOError:
logger.error("Unable to load Theano dataset from %s", path)
exit(1)
n_classes = int(max(y_train.max(), y_test.max()) + 1)
logger.info("Dataset has %d classes", n_classes)
image_shape = (x_train.shape[-2], x_train.shape[-1])
logger.info("Image shape is %s", image_shape)
logger.info('Train set has %d images' %
x_train.shape[0])
logger.info('Input train set has shape of %s ',
x_train.shape)
logger.info('Test set has %d images' %
x_test.shape[0])
logger.info('Input test set has shape of %s ',
x_test.shape)
# compute number of minibatches for training, validation and testing
n_train_batches = x_train.shape[0] // batch_size
n_test_batches = x_test.shape[0] // batch_size
logger.info("Number of train batches %d" % n_train_batches)
logger.info("Number of test batches %d" % n_test_batches)
logger.info("... building network")
# allocate symbolic variables for the data
index = T.lscalar() # index to a [mini]batch
# input is presented as (batch, channel, x, y)
x0 = T.tensor4('x')
x2 = T.tensor4('x')
x4 = T.tensor4('x')
# matrix row - batch index, column label of pixel
# every column is a list of pixel labels (image matrix reshaped to list)
y = T.imatrix('y')
# create all layers
builder_name = conf['network']['builder-name']
layers, out_shape, conv_out = get_net_builder(builder_name)(
x0, x2, x4, y, batch_size, classes=n_classes,
image_shape=image_shape,
nkerns=conf['network']['layers'][:3],
seed=conf['network']['seed'],
activation=lReLU, bias=0.001,
sparse=False)
logger.info("Image out shape is %s", out_shape)
# last layer, log reg
log_reg_layer = layers[0]
y_flat = y.flatten(1)
y_train_shape = (y_train.shape[0], out_shape[0], out_shape[1])
y_test_shape = (y_test.shape[0], out_shape[0], out_shape[1])
# resize marked images to out_size of the network
y_test_downscaled = np.empty(y_test_shape)
for i in xrange(y_test.shape[0]):
y_test_downscaled[i] = resize_marked_image(y_test[i], out_shape)
x_train_shared, y_train_shared = \
shared_dataset((np.zeros_like(x_train),
np.zeros(y_train_shape)))
x2_train_shared = theano.shared(np.zeros_like(x_train_allscales[1]),
borrow=True)
x4_train_shared = theano.shared(np.zeros_like(x_train_allscales[2]),
borrow=True)
x_test_shared, y_test_shared = \
shared_dataset((x_test,
y_test_downscaled))
x2_test_shared = theano.shared(x_test_allscales[1], borrow=True)
x4_test_shared = theano.shared(x_test_allscales[2], borrow=True)
# When storing data on the GPU it has to be stored as floats
# therefore we will store the labels as ``floatX`` as well
# (``shared_y`` does exactly that). But during our computations
# we need them as ints (we use labels as index, and if they are
# floats it doesn't make sense) therefore instead of returning
# ``shared_y`` we will have to cast it to int. This little hack
# lets ous get around this issue
y_train_shared_i32 = T.cast(y_train_shared, 'int32')
y_test_shared_i32 = T.cast(y_test_shared, 'int32')
###############
# BUILD MODEL #
###############
logger.info("... building model")
class_freqs = calc_class_freqs(np.concatenate([y_train, y_test], axis=0))
care_classes = build_care_classes(n_classes, conf['data'])
# create a function to compute the mistakes that are made by the model
test_model = theano.function(
[index],
[log_reg_layer.errors(y_flat),
build_loss(log_reg_layer, conf['network']['loss'],
y_flat, class_freqs, care_classes)] +
list(log_reg_layer.accurate_pixels_class(y_flat)),
givens={
x0: x_test_shared[index * batch_size: (index + 1) * batch_size],
x2: x2_test_shared[index * batch_size: (index + 1) * batch_size],
x4: x4_test_shared[index * batch_size: (index + 1) * batch_size],
y: y_test_shared_i32[index * batch_size: (index + 1) * batch_size]
}
)
# create a list of all model parameters to be fit by gradient descent
layers_w_weights = filter(lambda l: l.params is not None, layers)
params = [p for l in layers_w_weights for p in l.params]
# list of Ws through all layers
weights = [l.params[0] for l in layers_w_weights]
assert(len(weights) == len(params)/2)
# the cost we minimize during training is the NLL of the model
# and L2 regularization (lamda * L2-norm)
# L2-norm is sum of squared params (using only W, not b)
# params has Ws on even locations
cost = build_loss(log_reg_layer, conf['network']['loss'],
y_flat, class_freqs, care_classes)\
+ 10**-5 * T.sum([T.sum(w ** 2) for w in weights])
# train_model is a function that updates the model parameters
update_params = build_weight_updates(conf['training'], cost, params)
train_model = theano.function(
[index],
cost,
updates=update_params.updates,
givens={
x0: x_train_shared[index * batch_size: (index + 1) * batch_size],
x2: x2_train_shared[index * batch_size: (index + 1) * batch_size],
x4: x4_train_shared[index * batch_size: (index + 1) * batch_size],
y: y_train_shared_i32[index * batch_size: (index + 1) * batch_size]
}
)
pre_fn = lambda: change_train_set_multiscale(
[x_train_shared, x2_train_shared, x4_train_shared],
[x_train_allscales[0], x_train_allscales[1], x_train_allscales[2]],
y_train_shared, y_train,
out_shape)
# set loaded weights
if net_weights is not None:
try:
for net_weight, layer in zip(net_weights, layers):
layer.set_weights(net_weight)
logger.info("Loaded net weights from file.")
best_params = net_weights
net_weights = None
except:
logger.error("Uncompatible network to load weights in")
###############
# TRAIN MODEL #
###############
logger.info("... training model")
start_time = time.clock()
best_validation_loss, best_iter, best_params = eval_model(
conf['training'], train_model, test_model,
n_train_batches, n_test_batches,
layers, pre_fn, update_params)
end_time = time.clock()
logger.info('Best validation score of %f %% obtained at iteration %i, ' %
(best_validation_loss * 100., best_iter + 1))
print >> sys.stderr, ('The code for file %s ran for %.2fm' %
(os.path.split(__file__)[1],
(end_time - start_time) / 60.))
# set best weights
for net_weight, layer in zip(best_params, layers):
layer.set_weights(net_weight)
logger.info('Starting second step, with Dropout hidden layers')
layers, new_layers = extend_net_w1l_drop(
conv_out, conf['network']['layers'][-2] * 3, layers, n_classes,
nkerns=conf['network']['layers'][-1:],
seed=conf['network']['seed'],
activation=lReLU, bias=0.001)
# create a function to compute the mistakes that are made by the model
test_model2 = theano.function(
[index],
[layers[0].errors(y_flat),
build_loss(layers[0], conf['network']['loss'],
y_flat, class_freqs, care_classes)] +
list(layers[0].accurate_pixels_class(y_flat)),
givens={
x0: x_test_shared[index * batch_size: (index + 1) * batch_size],
x2: x2_test_shared[index * batch_size: (index + 1) * batch_size],
x4: x4_test_shared[index * batch_size: (index + 1) * batch_size],
y: y_test_shared_i32[index * batch_size: (index + 1) * batch_size]
}
)
# create a list of all model parameters to be fit by gradient descent
layers_w_weights = filter(lambda l: l.params is not None, new_layers)
params2 = [p for l in layers_w_weights for p in l.params]
# list of Ws through all layers
weights2 = [l.params[0] for l in layers_w_weights]
assert(len(weights2) == len(params2)/2)
cost2 = build_loss(layers[0], conf['network']['loss'],
y_flat, class_freqs, care_classes)
# + 10**-3 * T.sum([T.sum(w ** 2) for w in weights2])
# train_model is a function that updates the model parameters
update_params2 = build_weight_updates(conf['training2'], cost2, params2)
train_model2 = theano.function(
[index],
cost2,
updates=update_params2.updates,
givens={
x0: x_train_shared[index * batch_size: (index + 1) * batch_size],
x2: x2_train_shared[index * batch_size: (index + 1) * batch_size],
x4: x4_train_shared[index * batch_size: (index + 1) * batch_size],
y: y_train_shared_i32[index * batch_size: (index + 1) * batch_size]
}
)
# try to load weights in second stage
if net_weights is not None:
try:
for net_weight, layer in zip(net_weights, layers):
layer.set_weights(net_weight)
logger.info("Loaded net weights from file.")
net_weights = None
except:
logger.error("Uncompatible network to load weights in")
# evaluate model2
start_time = time.clock()
best_validation_loss, best_iter, best_params = eval_model(
conf['training2'], train_model2, test_model2,
n_train_batches, n_test_batches,
layers, pre_fn, update_params2)
end_time = time.clock()
logger.info('Best validation score of %f %% obtained at iteration %i, ' %
(best_validation_loss * 100., best_iter + 1))
print >> sys.stderr, ('The code for file %s ran for %.2fm' %
(os.path.split(__file__)[1],
(end_time - start_time) / 60.))
if __name__ == '__main__':
"""
Examples of usage:
python train_2step_3l.py network.conf
python train_2step_3l.py network.conf network-12-34.bin
trains network starting with weights in network-*.bin file
"""
logging.basicConfig(level=logging.INFO)
# create a file handler
handler = logging.FileHandler('output.log')
handler.setLevel(logging.INFO)
formatter = logging.Formatter('%(asctime)s %(message)s')
handler.setFormatter(formatter)
# add the handler to the root logger
logging.getLogger('').addHandler(handler)
argc = len(sys.argv)
if argc == 3:
net_config_path = sys.argv[1]
params = try_pickle_load(sys.argv[2])
if params is None:
exit(1)
elif argc == 2:
net_config_path = sys.argv[1]
params = None
else:
logger.error("Too few arguments")
exit(1)
conf = load_config(net_config_path)
if conf is None:
exit(1)
# run evaluation
evaluate_conv(conf, net_weights=params)