-
Notifications
You must be signed in to change notification settings - Fork 66
/
train.py
311 lines (273 loc) · 12.5 KB
/
train.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
# --------------------------------------------------------
# Licensed under The MIT License [see LICENSE for details]
# Written by SHEN HUIXIANG (shhuixi@qq.com)
# Created On: 2018-12-01
# --------------------------------------------------------
import torch
import torchvision
import torchvision.transforms as transforms
import torch.nn as nn
import torch.optim as optim
from torch.utils.data import Dataset, DataLoader
import os
import datetime
from tensorboardX import SummaryWriter
import time
import sys, time
import torch.nn.functional as F
from utils.metrics import compute_iou_batch
import numpy as np
class Trainer(object):
def __init__(self, mode, optim, scheduler, model, config, model_dir):
assert mode in ['training', 'inference']
self.mode = mode
self.model = model
self.cuda = torch.cuda.is_available()
self.model_dir = model_dir
self.optim = optim
self.epoch = 0
self.config = config
self.scheduler = scheduler
self.set_log_dir()
def train(self, train_loader, val_loader, loss_function, num_epochs):
device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu")
dataloaders = {'train': train_loader, 'val': val_loader}
writer = SummaryWriter(log_dir=self.log_dir)
self.model = self.model.to(device)
for epoch in range(self.epoch, num_epochs):
since = time.time()
print('Epoch {}/{}'.format(epoch, num_epochs - 1))
for phase in ['train', 'val']:
if phase == 'train':
self.model.train()
else:
self.model.eval()
running_loss = 0.0
bar_steps = len(dataloaders[phase])
process_bar = ShowProcess(bar_steps)
total = 0
ious = []
#########################################################
#
#########################################################
for i, data in enumerate(dataloaders[phase], 0):
inputs, labels = data
inputs, labels = inputs.to(device), labels.to(device)
self.optim.zero_grad()
#forward
#track history if only in train
with torch.set_grad_enabled(phase == 'train'):
outputs = self.model(inputs)
loss = loss_function(outputs, labels)
#preds = F.interpolate(outputs[0], size=labels.size()[2:], mode='bilinear', align_corners=True)
preds_np=outputs.detach().cpu().numpy()
labels_np = labels.detach().cpu().numpy().squeeze()
iou = compute_iou_batch(preds_np, labels_np)
ious.append(iou)
#backward+optimize only if in training phase
if phase == 'train':
loss.backward()
self.optim.step()
if self.scheduler:
#self.scheduler.step(loss.cpu().data.numpy())
self.scheduler.step()
# statistics
total += inputs.size(0)
running_loss += loss.item() * inputs.size(0)
process_bar.show_process()
process_bar.close()
epoch_loss = running_loss / total
iou=np.mean(ious)
print('{} Loss: {:.4f} iou:{:.4f} '.format(phase, epoch_loss,iou))
writer.add_scalar('{}_loss'.format(phase), epoch_loss, epoch)
writer.add_scalar('{}_iou'.format(phase),iou,epoch)
time_elapsed = time.time() - since
print('one epoch complete in {:.0f}m {:.0f}s'.format(
time_elapsed // 60, time_elapsed % 60))
##############################################################
# save the model for every epoch #
##############################################################
torch.save({
'epoch': epoch,
'model_state_dict': self.model.state_dict(),
'optimizer_state_dict': self.optim.state_dict(),
'lr_scheduler': self.scheduler.state_dict(),
'loss': loss
}, self.checkpoint_path.format(epoch))
writer.close()
print("train finished")
def set_log_dir(self, model_path=None):
"""Set the model log directory and epoch counter.
model_path:If None ,or a format different form what this code uses then set a new
log directory and start epochs from 0. Otherwise,extract the log directory and
the epoch counter form the file name.
"""
if self.mode == 'training':
now = datetime.datetime.now()
#if we hanbe a model path with date and epochs use them
if model_path:
# Continue form we left of .Get epoch and date form the file name
# A sample model path might look like:
#/path/to/logs/coco2017.../DeFCN_0001.h5
import re
regex = r".*/[\w-]+(\d{4})(\d{2})(\d{2})T(\d{2})(\d{2})/model\_[\w-]+(\d{4})\.pt"
m = re.match(regex, model_path)
if m:
now = datetime.datetime(
int(m.group(1)), int(m.group(2)), int(m.group(3)),
int(m.group(4)), int(m.group(5)))
# Epoch number in file is 1-based, and in Keras code it's 0-based.
# So, adjust for that then increment by one to start from the next epoch
#self.epoch = int(m.group(6)) + 1
print('Re-starting from epoch %d' % self.epoch)
# Directory for training logs
self.log_dir = os.path.join(
self.model_dir, "{}{:%Y%m%dT%H%M}".format(
self.config.NAME.lower(), now))
# Create log_dir if not exists
if not os.path.exists(self.log_dir):
os.makedirs(self.log_dir)
# Path to save after each epoch. Include placeholders that get filled by Keras.
self.checkpoint_path = os.path.join(
self.log_dir,
"model_{}_*epoch*.pt".format(self.config.NAME.lower()))
self.checkpoint_path = self.checkpoint_path.replace(
"*epoch*", "{:04d}")
def find_last(self,num=-1):
"""Finds the last checkpoint file of the last trained model in the
model directory.
Returns:
the path of the last checkpoint file
"""
# Get directory names. Each directory corresponds to a model
dir_names = next(os.walk(self.model_dir))[1]
key = self.config.NAME.lower()
dir_names = filter(lambda f: f.startswith(key), dir_names)
dir_names = sorted(dir_names)
if not dir_names:
import errno
raise FileNotFoundError(
errno.ENOENT, "Could not find model directory under {}".format(
self.model_dir))
# Pick last directory
if self.mode == 'training':
dir_name = os.path.join(self.model_dir, dir_names[-2])
print(dir_name)
os.rmdir(os.path.join(self.model_dir, dir_names[-1]))
else:
dir_name = os.path.join(self.model_dir, dir_names[-1])
# Find the last checkpoint
checkpoints = next(os.walk(dir_name))[2]
checkpoints = filter(lambda f: f.startswith("model"), checkpoints)
checkpoints = sorted(checkpoints)
if not checkpoints:
import errno
raise FileNotFoundError(
errno.ENOENT,
"Could not find weight files in {}".format(dir_name))
checkpoint = os.path.join(dir_name, checkpoints[num])
return checkpoint
def load_weights(self, file_path, by_name=False, exclude=None):
"""load the weights from the file_path in CNN model.
"""
checkpoint = torch.load(file_path)
self.model.load_state_dict(checkpoint['model_state_dict'])
#when loading a model on a GPU that was trained and saved on GPU,you
#should convert the initialized model to a CUDA optimized model using
#model.to(torch.device("cuda"))
if self.cuda:
self.device = torch.device("cuda")
self.model.to(self.device)
self.optim.load_state_dict(checkpoint['optimizer_state_dict'])
self.scheduler.load_state_dict(checkpoint['lr_scheduler'])
self.epoch = checkpoint['epoch'] + 1
self.loss = checkpoint['loss']
self.set_log_dir(file_path)
print("load weights from {} finished.".format(file_path))
def detect(self, image):
"""Runs the detection pipeline.
images: List of images, potentially of different sizes.
Returns a mask of image.
"""
import numpy as np
assert self.mode == "inference", "Create model in inference mode."
device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu")
self.model.eval()
with torch.no_grad():
image=image.transpose((2, 0, 1))
inputs = torch.Tensor(image)
inputs = torch.unsqueeze(inputs,0)
inputs = inputs.to(device)
outputs = self.model(inputs)
outputs = torch.nn.functional.sigmoid(outputs)
outputs = outputs.to('cpu')
#preds = torch.round(outputs)
preds=outputs
preds = torch.squeeze(preds, 0)
#preds = preds.transpose(2,0)
preds = torch.squeeze(preds,0)
preds=preds.numpy()
return preds
def evaluate(self, val_laoder):
device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu")
aTP=0
aFP=0
aTN=0
aFN=0
with torch.no_grad():
bar_steps = len(val_laoder)
process_bar = ShowProcess(bar_steps)
for data in val_laoder:
inputs, labels = data['image'], data['gt_map']
inputs, labels = inputs.to(device), labels.to(device)
outputs = self.model(inputs)
preds = torch.round(F.sigmoid(outputs))
FP=preds-labels
FP=torch.where(FP==1,FP,torch.zeros(preds.size()).to(device))
TP=preds-FP
FN=labels-TP
TN=1-FN-FP-TP
aTP=torch.sum(TP)+aTP
aFP=torch.sum(FP)+aFP
aTN=torch.sum(TN)+aTN
aFN=torch.sum(FN)+aFN
process_bar.show_process()
process_bar.close()
P=aTP/(aTP+aFP)
R=aTP/(aTP+aFN)
F1=2*P*R/(P+R)
Mr=(aFP+aFN)/(aTP+aTN+aFN+aFP)
Acc=(aTP+aTN)/(aTP+aTN+aFN+aFP)
print(' P:{:.4} R:{:.4} F1:{:.4} Mr:{:.4} Acc:{:.4}'.format(P, R, F1, Mr,Acc))
class ShowProcess():
"""
显示处理进度的类
调用该类相关函数即可实现处理进度的显示
"""
i = 0 # 当前的处理进度
max_steps = 0 # 总共需要处理的次数
max_arrow = 50 #进度条的长度
# 初始化函数,需要知道总共的处理次数
def __init__(self, max_steps):
self.max_steps = max_steps
self.i = 0
# 显示函数,根据当前的处理进度i显示进度
# 效果为[>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>]100.00%
def show_process(self, i=None):
if i is not None:
self.i = i
else:
self.i += 1
num_arrow = int(self.i * self.max_arrow / self.max_steps) #计算显示多少个'>'
num_line = self.max_arrow - num_arrow #计算显示多少个'-'
percent = self.i * 100.0 / self.max_steps #计算完成进度,格式为xx.xx%
process_bar = '[' + '>' * num_arrow + '-' * num_line + ']'\
+ '%.2f' % percent + '%' + '\r' #带输出的字符串,'\r'表示不换行回到最左边
sys.stdout.write(process_bar) #这两句打印字符到终端
sys.stdout.flush()
def close(self, words='done'):
print('')
#print(words)
self.i = 0
if __name__ == "__main__":
"""Here is an example to show how to impliement the class trainer."""