train.py 10.3 KB
Newer Older
H
hypox64 已提交
1 2 3 4 5 6 7 8 9 10 11 12 13 14
import os
import numpy as np
import cv2
import random
import torch
import torch.nn as nn
import time

import sys
sys.path.append("..")
sys.path.append("../..")
from util import mosaic,util,ffmpeg,filt,data
from util import image_processing as impro
from cores import Options
H
HypoX64 已提交
15
from models import pix2pix_model,video_model,unet_model,loadmodel
H
hypox64 已提交
16 17 18 19 20
from matplotlib import pyplot as plt
import torch.backends.cudnn as cudnn

N = 25
ITER = 10000000
H
hypox64 已提交
21
LR = 0.001
H
hypox64 已提交
22 23 24
beta1 = 0.5
use_gpu = True
use_gan = False
H
hypox64 已提交
25 26
use_L2 = True
CONTINUE =  True
H
hypox64 已提交
27
lambda_L1 = 1.0#100.0
H
hypox64 已提交
28 29 30 31
lambda_gan = 1.0

SAVE_FRE = 10000
start_iter = 0
H
hypox64 已提交
32 33
finesize = 128
loadsize = int(finesize*1.1)
H
hypox64 已提交
34
batchsize = 8
H
HypoX64 已提交
35
perload_num = 32
H
hypox64 已提交
36
savename = 'MosaicNet_test'
H
hypox64 已提交
37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53
dir_checkpoint = 'checkpoints/'+savename
util.makedirs(dir_checkpoint)

loss_sum = [0.,0.,0.,0.]
loss_plot = [[],[]]
item_plot = []

opt = Options().getparse()
videos = os.listdir('./dataset')
videos.sort()
lengths = []
for video in videos:
    video_images = os.listdir('./dataset/'+video+'/ori')
    lengths.append(len(video_images))
#unet_128
#resnet_9blocks
#netG = pix2pix_model.define_G(3*N+1, 3, 128, 'resnet_6blocks', norm='instance',use_dropout=True, init_type='normal', gpu_ids=[])
H
HypoX64 已提交
54 55
netG = video_model.MosaicNet(3*N+1, 3)
loadmodel.show_paramsnumber(netG,'netG')
H
hypox64 已提交
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
# netG = unet_model.UNet(3*N+1, 3)
if use_gan:
    netD = pix2pix_model.define_D(3*2+1, 64, 'basic', n_layers_D=3, norm='instance', init_type='normal', init_gain=0.02, gpu_ids=[])
    #netD = pix2pix_model.define_D(3*2+1, 64, 'n_layers', n_layers_D=5, norm='instance', init_type='normal', init_gain=0.02, gpu_ids=[])

if CONTINUE:
    netG.load_state_dict(torch.load(os.path.join(dir_checkpoint,'last_G.pth')))
    if use_gan:
        netD.load_state_dict(torch.load(os.path.join(dir_checkpoint,'last_D.pth')))
    f = open(os.path.join(dir_checkpoint,'iter'),'r')
    start_iter = int(f.read())
    f.close()
if use_gpu:
    netG.cuda()
    if use_gan:
        netD.cuda()
    cudnn.benchmark = True

optimizer_G = torch.optim.Adam(netG.parameters(), lr=LR,betas=(beta1, 0.999))
criterion_L1 = nn.L1Loss()
criterion_L2 = nn.MSELoss()
if use_gan:
    optimizer_D = torch.optim.Adam(netG.parameters(), lr=LR,betas=(beta1, 0.999))
    criterionGAN = pix2pix_model.GANLoss(gan_mode='lsgan').cuda()


def loaddata():
    video_index = random.randint(0,len(videos)-1)
    video = videos[video_index]
    img_index = random.randint(N,lengths[video_index]- N)
H
hypox64 已提交
86
    input_img = np.zeros((loadsize,loadsize,3*N+1), dtype='uint8')
H
hypox64 已提交
87
    for i in range(0,N):
H
HypoX64 已提交
88
    
H
hypox64 已提交
89
        img = cv2.imread('./dataset/'+video+'/mosaic/output_'+'%05d'%(img_index+i-int(N/2))+'.png')
H
hypox64 已提交
90
        img = impro.resize(img,loadsize)
H
hypox64 已提交
91 92
        input_img[:,:,i*3:(i+1)*3] = img
    mask = cv2.imread('./dataset/'+video+'/mask/output_'+'%05d'%(img_index)+'.png',0)
H
hypox64 已提交
93
    mask = impro.resize(mask,loadsize)
H
hypox64 已提交
94 95 96 97
    mask = impro.mask_threshold(mask,15,128)
    input_img[:,:,-1] = mask

    ground_true = cv2.imread('./dataset/'+video+'/ori/output_'+'%05d'%(img_index)+'.png')
H
hypox64 已提交
98
    ground_true = impro.resize(ground_true,loadsize)
H
hypox64 已提交
99

H
HypoX64 已提交
100
    input_img,ground_true = data.random_transform_video(input_img,ground_true,finesize,N)
H
hypox64 已提交
101 102
    input_img = data.im2tensor(input_img,bgr2rgb=False,use_gpu=opt.use_gpu,use_transform = False,is0_1=False)
    ground_true = data.im2tensor(ground_true,bgr2rgb=False,use_gpu=opt.use_gpu,use_transform = False,is0_1=False)
H
hypox64 已提交
103 104 105 106
    
    return input_img,ground_true

print('preloading data, please wait 5s...')
H
hypox64 已提交
107 108 109 110
# input_imgs=[]
# ground_trues=[]
input_imgs = torch.rand(batchsize,N*3+1,finesize,finesize).cuda()
ground_trues = torch.rand(batchsize,3,finesize,finesize).cuda()
H
hypox64 已提交
111
load_cnt = 0
H
hypox64 已提交
112

H
hypox64 已提交
113
def preload():
H
hypox64 已提交
114
    global load_cnt   
H
hypox64 已提交
115 116
    while 1:
        try:
H
hypox64 已提交
117 118 119 120 121 122 123 124 125 126
            # input_img,ground_true = loaddata()
            # input_imgs.append(input_img)
            # ground_trues.append(ground_true)
            ran = random.randint(0, batchsize-1)
            input_imgs[ran],ground_trues[ran] = loaddata()


            # if len(input_imgs)>perload_num:
            #     del(input_imgs[0])
            #     del(ground_trues[0])
H
hypox64 已提交
127
            load_cnt += 1
H
hypox64 已提交
128 129 130 131 132 133 134 135
            # time.sleep(0.1)
        except Exception as e:
            print("error:",e)

import threading
t = threading.Thread(target=preload,args=())  #t为新创建的线程
t.daemon = True
t.start()
H
hypox64 已提交
136
while load_cnt < batchsize*2:
H
hypox64 已提交
137
    time.sleep(0.1)
H
hypox64 已提交
138 139 140 141 142 143

netG.train()
time_start=time.time()
print("Begin training...")
for iter in range(start_iter+1,ITER):

H
hypox64 已提交
144 145 146 147 148 149 150
    # inputdata,target = loaddata()
    # ran = random.randint(1, perload_num-2)
    # inputdata = inputdatas[ran]
    # target = targets[ran]

    inputdata = input_imgs.clone()
    target = ground_trues.clone()
H
hypox64 已提交
151

H
hypox64 已提交
152
    pred = netG(inputdata)
H
hypox64 已提交
153 154 155

    if use_gan:
        netD.train()
H
hypox64 已提交
156 157 158
        # print(inputdata[0,3*N,:,:].size())
        # print((inputdata[:,int((N-1)/2)*3:(int((N-1)/2)+1)*3,:,:]).size())
        real_A = torch.cat((inputdata[:,int((N-1)/2)*3:(int((N-1)/2)+1)*3,:,:], inputdata[:,-1,:,:].reshape(-1,1,finesize,finesize)), 1)
H
hypox64 已提交
159 160 161 162
        fake_AB = torch.cat((real_A, pred), 1)
        pred_fake = netD(fake_AB.detach())
        loss_D_fake = criterionGAN(pred_fake, False)

H
hypox64 已提交
163
        real_AB = torch.cat((real_A, target), 1)
H
hypox64 已提交
164 165 166 167 168 169 170 171 172 173 174
        pred_real = netD(real_AB)
        loss_D_real = criterionGAN(pred_real, True)
        loss_D = (loss_D_fake + loss_D_real) * 0.5
        loss_sum[2] += loss_D_fake.item()
        loss_sum[3] += loss_D_real.item()

        optimizer_D.zero_grad()
        loss_D.backward()
        optimizer_D.step()
        netD.eval()

H
hypox64 已提交
175 176
        # fake_AB = torch.cat((inputdata[:,int((N-1)/2)*3:(int((N-1)/2)+1)*3,:,:], pred), 1)
        real_A = torch.cat((inputdata[:,int((N-1)/2)*3:(int((N-1)/2)+1)*3,:,:], inputdata[:,-1,:,:].reshape(-1,1,finesize,finesize)), 1)
H
hypox64 已提交
177 178 179 180 181
        fake_AB = torch.cat((real_A, pred), 1)
        pred_fake = netD(fake_AB)
        loss_G_GAN = criterionGAN(pred_fake, True)*lambda_gan
        # Second, G(A) = B
        if use_L2:
H
hypox64 已提交
182
            loss_G_L1 = (criterion_L1(pred, target)+criterion_L2(pred, target)) * lambda_L1
H
hypox64 已提交
183
        else:
H
hypox64 已提交
184
            loss_G_L1 = criterion_L1(pred, target) * lambda_L1
H
hypox64 已提交
185 186 187 188 189 190 191 192 193 194 195
        # combine loss and calculate gradients
        loss_G = loss_G_GAN + loss_G_L1
        loss_sum[0] += loss_G_L1.item()
        loss_sum[1] += loss_G_GAN.item()

        optimizer_G.zero_grad()
        loss_G.backward()
        optimizer_G.step()

    else:
        if use_L2:
H
hypox64 已提交
196
            loss_G_L1 = (criterion_L1(pred, target)+criterion_L2(pred, target)) * lambda_L1
H
hypox64 已提交
197
        else:
H
hypox64 已提交
198
            loss_G_L1 = criterion_L1(pred, target) * lambda_L1
H
hypox64 已提交
199 200 201 202 203 204 205 206 207
        loss_sum[0] += loss_G_L1.item()

        optimizer_G.zero_grad()
        loss_G_L1.backward()
        optimizer_G.step()


    if (iter+1)%100 == 0:
        try:
H
hypox64 已提交
208 209
            data.showresult(inputdata[:,int((N-1)/2)*3:(int((N-1)/2)+1)*3,:,:],
             target, pred,os.path.join(dir_checkpoint,'result_train.png'))
H
hypox64 已提交
210 211 212 213 214 215
        except Exception as e:
            print(e)
     
    if (iter+1)%1000 == 0:
        time_end = time.time()
        if use_gan:
H
hypox64 已提交
216 217
            print('iter:',iter+1,' L1_loss:', round(loss_sum[0]/1000,4),' G_loss:', round(loss_sum[1]/1000,4),
                ' D_f:',round(loss_sum[2]/1000,4),' D_r:',round(loss_sum[3]/1000,4),' time:',round((time_end-time_start)/1000,2))
H
hypox64 已提交
218 219 220 221 222 223 224 225 226 227 228 229
            if (iter+1)/1000 >= 10:
                loss_plot[0].append(loss_sum[0]/1000)
                loss_plot[1].append(loss_sum[1]/1000)
                item_plot.append(iter+1)
                try:
                    plt.plot(item_plot,loss_plot[0])
                    plt.plot(item_plot,loss_plot[1])
                    plt.savefig(os.path.join(dir_checkpoint,'loss.png'))
                    plt.close()
                except Exception as e:
                    print("error:",e)
        else:
H
hypox64 已提交
230
            print('iter:',iter+1,' L1_loss:',round(loss_sum[0]/1000,4),' time:',round((time_end-time_start)/1000,2))
H
hypox64 已提交
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
            if (iter+1)/1000 >= 10:
                loss_plot[0].append(loss_sum[0]/1000)
                item_plot.append(iter+1)
                try:
                    plt.plot(item_plot,loss_plot[0])
                    plt.savefig(os.path.join(dir_checkpoint,'loss.png'))
                    plt.close()
                except Exception as e:
                    print("error:",e)
        loss_sum = [0.,0.,0.,0.]
        time_start=time.time()


    if (iter+1)%SAVE_FRE == 0:
        if iter+1 != SAVE_FRE:
            os.rename(os.path.join(dir_checkpoint,'last_G.pth'),os.path.join(dir_checkpoint,str(iter+1-SAVE_FRE)+'G.pth'))
        torch.save(netG.cpu().state_dict(),os.path.join(dir_checkpoint,'last_G.pth'))
        if use_gan:
            if iter+1 != SAVE_FRE:
                os.rename(os.path.join(dir_checkpoint,'last_D.pth'),os.path.join(dir_checkpoint,str(iter+1-SAVE_FRE)+'D.pth'))
            torch.save(netD.cpu().state_dict(),os.path.join(dir_checkpoint,'last_D.pth'))
        if use_gpu:
            netG.cuda()
            if use_gan:
                netD.cuda()
        f = open(os.path.join(dir_checkpoint,'iter'),'w+')
        f.write(str(iter+1))
        f.close()
        print('network saved.')

        #test
        netG.eval()
H
hypox64 已提交
263
        
H
hypox64 已提交
264
        test_names = os.listdir('./test')
H
hypox64 已提交
265
        result = np.zeros((finesize*2,finesize*len(test_names),3), dtype='uint8')
H
hypox64 已提交
266 267 268

        for cnt,test_name in enumerate(test_names,0):
            img_names = os.listdir(os.path.join('./test',test_name,'image'))
H
HypoX64 已提交
269
            img_names.sort()
H
hypox64 已提交
270
            inputdata = np.zeros((finesize,finesize,3*N+1), dtype='uint8')
H
hypox64 已提交
271 272 273
            img_names.sort()
            for i in range(0,N):
                img = impro.imread(os.path.join('./test',test_name,'image',img_names[i]))
H
hypox64 已提交
274
                img = impro.resize(img,finesize)
H
hypox64 已提交
275
                inputdata[:,:,i*3:(i+1)*3] = img
H
hypox64 已提交
276 277

            mask = impro.imread(os.path.join('./test',test_name,'mask.png'),'gray')
H
hypox64 已提交
278
            mask = impro.resize(mask,finesize)
H
hypox64 已提交
279
            mask = impro.mask_threshold(mask,15,128)
H
hypox64 已提交
280 281 282 283
            inputdata[:,:,-1] = mask
            result[0:finesize,finesize*cnt:finesize*(cnt+1),:] = inputdata[:,:,int((N-1)/2)*3:(int((N-1)/2)+1)*3]
            inputdata = data.im2tensor(inputdata,bgr2rgb=False,use_gpu=opt.use_gpu,use_transform = False,is0_1 = False)
            pred = netG(inputdata)
H
hypox64 已提交
284
 
H
hypox64 已提交
285
            pred = data.tensor2im(pred,rgb2bgr = False, is0_1 = False)
H
hypox64 已提交
286
            result[finesize:finesize*2,finesize*cnt:finesize*(cnt+1),:] = pred
H
hypox64 已提交
287 288

        cv2.imwrite(os.path.join(dir_checkpoint,str(iter+1)+'_test.png'), result)
H
hypox64 已提交
289
        netG.train()