forked from root-project/root
-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathConv1dModelGenerator.py
More file actions
169 lines (126 loc) · 4.45 KB
/
Conv1dModelGenerator.py
File metadata and controls
169 lines (126 loc) · 4.45 KB
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
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
#!/usr/bin/python3
### generate COnv2d model using Pytorch
import numpy as np
import argparse
import torch
import torch.nn as nn
import torch.nn.functional as F
result = []
class Net(nn.Module):
def __init__(self, nc = 1, ng = 1, nl = 4, use_bn = False, use_maxpool = False, use_avgpool = False):
super(Net, self).__init__()
self.nc = nc
self.ng = ng
self.nl = nl
self.use_bn = use_bn
self.use_maxpool = use_maxpool
self.use_avgpool = use_avgpool
self.conv0 = nn.Conv1d(in_channels=self.nc, out_channels=4, kernel_size=2, groups=1, stride=1, padding=1)
if (self.use_bn): self.bn1 = nn.BatchNorm2d(4)
if (self.use_maxpool): self.pool1 = nn.MaxPool2d(2)
if (self.use_avgpool): self.pool1 = nn.AvgPool2d(2)
if (self.nl > 1):
# output is 4x4 with optionally using group convolution
self.conv1 = nn.Conv1d(in_channels=4, out_channels=8, groups = self.ng, kernel_size=3, stride=1, padding=1)
#output is same 4x4
def forward(self, x):
x = self.conv0(x)
x = F.relu(x)
if (self.use_bn):
x = self.bn1(x)
if (self.use_maxpool or self.use_avgpool):
x = self.pool1(x)
if (self.nl == 1) : return x
x = self.conv1(x)
x = F.relu(x)
return x
def main():
#print(arguments)
parser = argparse.ArgumentParser(description='PyTorch model generator')
parser.add_argument('params', type=int, nargs='+',
help='parameters for the Conv network : batchSize , inputChannels, inputImageSize, nGroups, nLayers ')
parser.add_argument('--bn', action='store_true', default=False,
help='For using batch norm layer')
parser.add_argument('--maxpool', action='store_true', default=False,
help='For using max pool layer')
parser.add_argument('--avgpool', action='store_true', default=False,
help='For using average pool layer')
parser.add_argument('--v', action='store_true', default=False,
help='For verbose mode')
# parser.add_argument('--oneD',action='store_true', default=False, help='For 1D convolution')
args = parser.parse_args()
#args.params = (4,2,4,1,4)
np = len(args.params)
if (np < 5) : exit()
bsize = args.params[0]
nc = args.params[1]
d = args.params[2]
ngroups = args.params[3]
nlayers = args.params[4]
use_bn = args.bn
use_maxpool = args.maxpool
use_avgpool = args.avgpool
# use_1d = args.oneD
print ("using batch-size =",bsize,"nchannels =",nc,"dim =",d,"ngroups =",ngroups,"nlayers =",nlayers)
if (use_bn): print("using batch normalization layer")
if (use_maxpool): print("using maxpool layer")
#sample = torch.zeros([2,1,5,5])
input = torch.zeros([])
for ib in range(0,bsize):
xa = torch.ones([1, 1, d]) * (ib+1)
if (nc > 1) :
xb = xa.neg()
xc = torch.cat((xa,xb),1) # concatenate tensors
if (nc > 2) :
xd = torch.zeros([1,nc-2,d])
xc = torch.cat((xa,xb,xd),1)
else:
xc = xa
#concatenate tensors
if (ib == 0) :
xinput = xc
else :
xinput = torch.cat((xinput,xc),0)
print("input data",xinput.shape)
print(xinput)
name = "Conv1dModel"
if (use_bn): name += "_BN"
if (use_maxpool): name += "_MAXP"
if (use_avgpool): name += "_AVGP"
name += "_B" + str(bsize)
saveOnnx=True
loadModel=False
savePtModel = False
model = Net(nc,ngroups,nlayers, use_bn, use_maxpool, use_avgpool)
print(model)
model(xinput)
model.forward(xinput)
if savePtModel :
torch.save({'model_state_dict':model.state_dict()}, name + ".pt")
if saveOnnx:
torch.onnx.export(
model,
xinput,
name + ".onnx",
export_params=True,
dynamo=True,
external_data=False
)
if loadModel :
print('Loading model from file....')
checkpoint = torch.load(name + ".pt")
model.load_state_dict(checkpoint['model_state_dict'])
# evaluate model in test mode
model.eval()
y = model.forward(xinput)
print("output data : shape, ",y.shape)
print(y)
outSize = y.nelement()
yvec = y.reshape([outSize])
# for i in range(0,outSize):
# print(float(yvec[i]))
f = open(name + ".out", "w")
for i in range(0,outSize):
f.write(str(float(yvec[i].detach()))+" ")
if __name__ == '__main__':
main()