-
Notifications
You must be signed in to change notification settings - Fork 0
/
validate.py
67 lines (51 loc) · 1.55 KB
/
validate.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
import torch
from torch import nn
from torch.utils.data import DataLoader
from sklearn.model_selection import train_test_split
from data import PoseDataset
BATCH_SIZE = 128
LR = 0.0005
EPOCHS = 10000
dataset = PoseDataset('poses.txt')
train_data, val_data = train_test_split(dataset, test_size=0.2)
train_loader = DataLoader(train_data, batch_size=BATCH_SIZE, shuffle=True)
val_loader = DataLoader(val_data, batch_size=BATCH_SIZE, shuffle=False)
print(len(train_loader), len(val_loader))
encoder = nn.Sequential(
nn.Linear(87, 150),
nn.ReLU(),
nn.Linear(150, 150),
nn.ReLU(),
nn.Linear(150, 90),
nn.ReLU(),
nn.Linear(90, 50)
)
decoder = nn.Sequential(
nn.Linear(50, 90),
nn.ReLU(),
nn.Linear(90, 150),
nn.ReLU(),
nn.Linear(150, 150),
nn.ReLU(),
nn.Linear(150, 87),
)
class EncoderDecoder(nn.Module):
def __init__(self, encoder, decoder):
super().__init__()
self.encoder = encoder
self.decoder = decoder
def forward(self, x):
return self.decoder(self.encoder(x))
model = EncoderDecoder(encoder, decoder)
criterion = nn.MSELoss()
# optimizer = torch.optim.Adam(model.parameters(), lr=LR)
optimizer = torch.optim.AdamW(model.parameters(), lr=LR)
# torch.save(model.state_dict(), 'model.pth')
model.load_state_dict(torch.load('model.pth'))
total_loss = 0
model.eval()
for iter, x in enumerate(val_loader):
with torch.no_grad():
x_hat = model.forward(x)
total_loss += criterion(x_hat, x)
print(f'val loss {total_loss/(len(val_loader) * BATCH_SIZE)}')