"vscode:/vscode.git/clone" did not exist on "8ad68c13938dd534c4888b884f2747063317d2cf"
train.py 7.18 KB
Newer Older
1
2
3
4
5
import argparse
import time
import numpy as np
import torch as th
import torch.nn.functional as F
6
import torch.nn.init as INIT
7
8
9
10
import torch.optim as optim
from torch.utils.data import DataLoader

import dgl
11
from dgl.data.tree import SST
12
13
14

from tree_lstm import TreeLSTM

Da Zheng's avatar
Da Zheng committed
15
16
17
18
19
20
21
22
23
def batcher(dev):
    def batcher_dev(batch):
        batch_trees = dgl.batch(batch)
        return SSTBatch(graph=batch_trees,
                        mask=batch_trees.ndata['mask'].to(device),
                        wordid=batch_trees.ndata['x'].to(device),
                        label=batch_trees.ndata['y'].to(device))
    return batcher_dev

24
def main(args):
25
26
27
28
    np.random.seed(args.seed)
    th.manual_seed(args.seed)
    th.cuda.manual_seed(args.seed)

29
30
31
    best_epoch = -1
    best_dev_acc = 0

32
    cuda = args.gpu >= 0
33
    device = th.device('cuda:{}'.format(args.gpu)) if cuda else th.device('cpu')
34
35
    if cuda:
        th.cuda.set_device(args.gpu)
36

37
    trainset = SST()
38
39
    train_loader = DataLoader(dataset=trainset,
                              batch_size=args.batch_size,
Da Zheng's avatar
Da Zheng committed
40
                              collate_fn=batcher(device),
41
                              shuffle=True,
42
                              num_workers=0)
43
    devset = SST(mode='dev')
44
45
    dev_loader = DataLoader(dataset=devset,
                            batch_size=100,
Da Zheng's avatar
Da Zheng committed
46
                            collate_fn=batcher(device),
47
48
49
                            shuffle=False,
                            num_workers=0)

50
    testset = SST(mode='test')
51
    test_loader = DataLoader(dataset=testset,
Da Zheng's avatar
Da Zheng committed
52
                             batch_size=100, collate_fn=batcher(device), shuffle=False, num_workers=0)
53
54
55
56
57

    model = TreeLSTM(trainset.num_vocabs,
                     args.x_size,
                     args.h_size,
                     trainset.num_classes,
58
                     args.dropout,
59
                     cell_type='childsum' if args.child_sum else 'nary',
60
                     pretrained_emb = trainset.pretrained_emb).to(device)
61
    print(model)
62
63
64
    params_ex_emb =[x for x in list(model.parameters()) if x.requires_grad and x.size(0)!=trainset.num_vocabs]
    params_emb = list(model.embedding.parameters())

65
66
67
68
    for p in params_ex_emb:
        if p.dim() > 1:
            INIT.xavier_uniform_(p)

69
70
71
    optimizer = optim.Adagrad([
        {'params':params_ex_emb, 'lr':args.lr, 'weight_decay':args.weight_decay},
        {'params':params_emb, 'lr':0.1*args.lr}])
72

73
74
75
    dur = []
    for epoch in range(args.epochs):
        t_epoch = time.time()
76
77
78
79
80
81
        model.train()
        for step, batch in enumerate(train_loader):
            g = batch.graph
            n = g.number_of_nodes()
            h = th.zeros((n, args.h_size)).to(device)
            c = th.zeros((n, args.h_size)).to(device)
82
            if step >= 3:
83
84
85
                t0 = time.time() # tik

            logits = model(batch, h, c)
86
            logp = F.log_softmax(logits, 1)
87
88
            loss = F.nll_loss(logp, batch.label, reduction='sum')

89
90
91
            optimizer.zero_grad()
            loss.backward()
            optimizer.step()
92

93
            if step >= 3:
94
                dur.append(time.time() - t0) # tok
95
96
97

            if step > 0 and step % args.log_every == 0:
                pred = th.argmax(logits, 1)
98
99
100
                acc = th.sum(th.eq(batch.label, pred))
                root_ids = [i for i in range(batch.graph.number_of_nodes()) if batch.graph.out_degree(i)==0]
                root_acc = np.sum(batch.label.cpu().data.numpy()[root_ids] == pred.cpu().data.numpy()[root_ids])
101

102
103
104
105
                print("Epoch {:05d} | Step {:05d} | Loss {:.4f} | Acc {:.4f} | Root Acc {:.4f} | Time(s) {:.4f}".format(
                    epoch, step, loss.item(), 1.0*acc.item()/len(batch.label), 1.0*root_acc/len(root_ids), np.mean(dur)))
        print('Epoch {:05d} training time {:.4f}s'.format(epoch, time.time() - t_epoch))

106
        # eval on dev set
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
        accs = []
        root_accs = []
        model.eval()
        for step, batch in enumerate(dev_loader):
            g = batch.graph
            n = g.number_of_nodes()
            with th.no_grad():
                h = th.zeros((n, args.h_size)).to(device)
                c = th.zeros((n, args.h_size)).to(device)
                logits = model(batch, h, c)

            pred = th.argmax(logits, 1)
            acc = th.sum(th.eq(batch.label, pred)).item()
            accs.append([acc, len(batch.label)])
            root_ids = [i for i in range(batch.graph.number_of_nodes()) if batch.graph.out_degree(i)==0]
            root_acc = np.sum(batch.label.cpu().data.numpy()[root_ids] == pred.cpu().data.numpy()[root_ids])
            root_accs.append([root_acc, len(root_ids)])
124

125
126
127
128
        dev_acc = 1.0*np.sum([x[0] for x in accs])/np.sum([x[1] for x in accs])
        dev_root_acc = 1.0*np.sum([x[0] for x in root_accs])/np.sum([x[1] for x in root_accs])
        print("Epoch {:05d} | Dev Acc {:.4f} | Root Acc {:.4f}".format(
            epoch, dev_acc, dev_root_acc))
129

130
131
132
133
134
135
136
        if dev_root_acc > best_dev_acc:
            best_dev_acc = dev_root_acc
            best_epoch = epoch
            th.save(model.state_dict(), 'best_{}.pkl'.format(args.seed))
        else:
            if best_epoch <= epoch - 10:
                break
137

138
        # lr decay
139
140
        for param_group in optimizer.param_groups:
            param_group['lr'] = max(1e-5, param_group['lr']*0.99) #10
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
            print(param_group['lr'])

    # test
    model.load_state_dict(th.load('best_{}.pkl'.format(args.seed)))
    accs = []
    root_accs = []
    model.eval()
    for step, batch in enumerate(test_loader):
        g = batch.graph
        n = g.number_of_nodes()
        with th.no_grad():
            h = th.zeros((n, args.h_size)).to(device)
            c = th.zeros((n, args.h_size)).to(device)
            logits = model(batch, h, c)

        pred = th.argmax(logits, 1)
        acc = th.sum(th.eq(batch.label, pred)).item()
        accs.append([acc, len(batch.label)])
        root_ids = [i for i in range(batch.graph.number_of_nodes()) if batch.graph.out_degree(i)==0]
        root_acc = np.sum(batch.label.cpu().data.numpy()[root_ids] == pred.cpu().data.numpy()[root_ids])
        root_accs.append([root_acc, len(root_ids)])
162

163
164
165
166
167
    test_acc = 1.0*np.sum([x[0] for x in accs])/np.sum([x[1] for x in accs])
    test_root_acc = 1.0*np.sum([x[0] for x in root_accs])/np.sum([x[1] for x in root_accs])
    print('------------------------------------------------------------------------------------')
    print("Epoch {:05d} | Test Acc {:.4f} | Root Acc {:.4f}".format(
        best_epoch, test_acc, test_root_acc))
168
169
170
171

if __name__ == '__main__':
    parser = argparse.ArgumentParser()
    parser.add_argument('--gpu', type=int, default=-1)
172
    parser.add_argument('--seed', type=int, default=41)
173
    parser.add_argument('--batch-size', type=int, default=25)
174
    parser.add_argument('--child-sum', action='store_true')
175
176
    parser.add_argument('--x-size', type=int, default=300)
    parser.add_argument('--h-size', type=int, default=150)
177
178
179
180
    parser.add_argument('--epochs', type=int, default=100)
    parser.add_argument('--log-every', type=int, default=5)
    parser.add_argument('--lr', type=float, default=0.05)
    parser.add_argument('--weight-decay', type=float, default=1e-4)
181
    parser.add_argument('--dropout', type=float, default=0.5)
182
    args = parser.parse_args()
183
    print(args)
184
    main(args)