-
Notifications
You must be signed in to change notification settings - Fork 313
/
Copy pathcnn-lm.py
140 lines (119 loc) · 5.5 KB
/
cnn-lm.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
# [Sequence to Sequence Learning with Neural Networks](https://papers.nips.cc/paper/5346-sequence-to-sequence-learning-with-neural-networks.pdf)
'''
created by YuYang github.com/W1Fl
'''
import tensorflow as tf
from tensorflow import keras
import utils
Batch_size = 64
Learn_rate = 0.01
Epochs = 15
DataSize = 1600
class Seq2Seq(keras.Model):
def __init__(self, enc_v_dim, dec_v_dim, emb_dim, units, max_pred_len, start_token, end_token):
super().__init__()
self.enc_v_dim = enc_v_dim
self.emb_dim = emb_dim
self.units = units
self.dec_v_dim = dec_v_dim
self.max_pred_len = max_pred_len
self.start_token = start_token
self.end_token = end_token
def build(self, input_shape):
# encoder
self.enc_embeddings = keras.layers.Embedding(
input_dim=self.enc_v_dim,
output_dim=self.emb_dim, # [enc_n_vocab, emb_dim]
embeddings_initializer=tf.initializers.RandomNormal(0., 0.1),
name='encoder/embeddings'
)
self.conv2ds = [
keras.layers.Conv2D(16, (n, self.emb_dim), padding="valid", activation=keras.activations.relu)
for n in range(2, 5)]
self.max_pools = [keras.layers.MaxPool2D((n, 1)) for n in [7, 6, 5]]
self.encoder = keras.layers.Dense(self.units, activation=keras.activations.relu)
# decoder
self.dec_embeddings = keras.layers.Embedding(
input_dim=self.dec_v_dim, output_dim=self.emb_dim, # [dec_n_vocab, emb_dim]
embeddings_initializer=tf.initializers.RandomNormal(0., 0.1),
name='decoder/embeddings'
)
self.dec_embeddings.build((None, self.dec_v_dim))
self.decoder = keras.layers.LSTM(units=self.units, return_state=True, return_sequences=True,
name='decoder/LSTM')
self.decoder_dense = keras.layers.Dense(self.dec_v_dim, activation=keras.activations.softmax,
name='decoder/Dense')
self.batch = input_shape[0][0]
super(Seq2Seq, self).build([*input_shape])
def encode(self, x):
embedded = self.enc_embeddings(x) # [n, step, emb]
o = tf.expand_dims(embedded, axis=3) # [n, step=8, emb=16, 1]
co = [conv2d(o) for conv2d in self.conv2ds] # [n, 7, 1, 16], [n, 6, 1, 16], [n, 5, 1, 16]
co = [self.max_pools[i](co[i]) for i in range(len(co))] # [n, 1, 1, 16] * 3
co = [tf.squeeze(c, axis=[1, 2]) for c in co] # [n, 16] * 3
o = tf.concat(co, axis=1) # [n, 16*3]
h = self.encoder(o) # [n, units]
return h, h
def decode(self, batch, h, c, y=None, training=None):
if training: #将上一时刻的标签作为当前时刻的输入
y = self.dec_embeddings(y)
y, h, c = self.decoder(y, (h, c))
y = self.decoder_dense(y)
else:#将上一时刻的输出作为当前时刻的输入
y = []
o = tf.zeros((batch, 1, self.dec_v_dim))
for i in range(self.max_pred_len):
o = o @ self.dec_embeddings.weights
o, h, c = self.decoder(o, (h, c))
o = self.decoder_dense(o)
y.append(o)
y = tf.concat(y, 1)
return y
# @tf.function
def call(self, inputs, training=None, mask=None):
x = inputs[0]
y = inputs[1]
if training:
y = tf.pad(y[:, :-1], [[0, 0], [1, 0]])
h, c = self.encode(x)
batch = tf.shape(x)[0]
y = self.decode(batch, h, c, y, training)
return y
class myTensorboard(keras.callbacks.TensorBoard):
def __init__(self, data, log_dir='logs/cnn-lm', histogram_freq=1, write_graph=True, write_images=True,
embeddings_freq=10, **kwargs):
self.data = data
super().__init__(log_dir=log_dir, histogram_freq=histogram_freq, write_graph=write_graph,
write_images=write_images, embeddings_freq=embeddings_freq, **kwargs)
def on_epoch_end(self, epoch, logs=None):
if (not epoch % 1):
x, y, l = self.data.sample(1)
y_ = self.model((x, y), training=False)
y_ = tf.argmax(y_, -1).numpy()
target = self.data.idx2str(y[0])
res = self.data.idx2str(y_[0])
src = self.data.idx2str(x[0])
print(
'\n',
"t: ", epoch,
"| input: ", src,
"| target: ", target,
"| inference: ", res,
)
super(myTensorboard, self).on_epoch_end(epoch, logs)
def train():
# get and process data
data = utils.DateData(DataSize)
train_x, train_y, train_l = data.sample(DataSize)
print("Chinese time order: yy/mm/dd ", data.date_cn[:3], "\nEnglish time order: dd/M/yyyy ", data.date_en[:3])
print("vocabularies: ", data.vocab)
print("x index sample: \n{}\n{}".format(data.idx2str(data.x[0]), data.x[0]),
"\ny index sample: \n{}\n{}".format(data.idx2str(data.y[0]), data.y[0]))
model = Seq2Seq(
data.num_word, data.num_word, emb_dim=16, units=32,
max_pred_len=11, start_token=data.start_token, end_token=data.end_token)
model.compile(optimizer=keras.optimizers.Adam(Learn_rate), loss=keras.losses.SparseCategoricalCrossentropy(False),
metrics=[keras.metrics.sparse_categorical_accuracy])
model.fit((train_x, train_y), train_y, callbacks=[myTensorboard(data)], batch_size=Batch_size, epochs=Epochs)
if __name__ == "__main__":
train()