-
Notifications
You must be signed in to change notification settings - Fork 0
/
BertTweetModel.py
44 lines (37 loc) · 1.53 KB
/
BertTweetModel.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
from torch import nn
import torch
from transformers import BertConfig, BertModel
class BertTweetModel(nn.Module):
def __init__(self):
super(BertTweetModel, self).__init__()
config = BertConfig.from_pretrained(
'./bert.base.torch/config.json',
output_hidden_states=True
)
self.bert = BertModel.from_pretrained(
'./bert.base.torch/pytorch_model.bin',
config=config
)
self.dropout = nn.Dropout(0.5)
self.fc = nn.Linear(config.hidden_size, 2)
nn.init.normal_(self.fc.weight, std=0.2)
nn.init.normal_(self.fc.bias, 0)
def forward(self, input_ids, attention_mask, token_type_ids):
# Đầu vào Roberta cần chỉ số các token (input_ids)
# Và attention_mask (Mặt nạ biểu diễn câu 0 = pad, 1 = otherwise)
# Và token_type_ids
_, _, hs = self.bert(input_ids, attention_mask, token_type_ids)
# len(hs) = 13 tensor, mỗi tensor shape là (1, 128, 768)
x = torch.stack([hs[-1], hs[-2], hs[-3], hs[-4]])
# x shape (4,1,128,768)
x = torch.mean(x, 0)
# x shape (1,128,768)
x = self.dropout(x)
x = self.fc(x)
# x shape (1,128,2)
start_logits, end_logits = x.split(1, dim=-1)
# Nếu số chiều cuối là 1 thì bỏ đi (1,128,1) -> (1,128)
# Ví dụ (AxBxCX1) --> size (AxBxC)
start_logits = start_logits.squeeze(-1)
end_logits = end_logits.squeeze(-1)
return start_logits, end_logits