forked from chipkent/prototype-deephaven-ai
-
Notifications
You must be signed in to change notification settings - Fork 0
/
iris_train_val_2.py
284 lines (231 loc) · 10.2 KB
/
iris_train_val_2.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
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
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
# This example demonstrates a case where a user function creates partial tensors for each row.
# These partial tensors are aggregated into tensors before evaluating the model.
# The aggregation should result in more efficient use of the AI machinery.
# The model function is then evaluated for each row to create results for the row.
################################################################################################################################
# Everything here would be part of a DH library
################################################################################################################################
from deephaven import QueryScope
from deephaven import npy
import numpy as np
import jpy
class Input:
def __init__(self, columns, gather):
if type(columns) is list:
self.columns = columns
else:
self.columns = [columns]
self.gather = gather
class Output:
def __init__(self, column, scatter, col_type="java.lang.Object"):
self.column = column
self.scatter = scatter
self.col_type = col_type
#TODO: this should be implemented in Java for speed. This efficiently iterates over the indices in multiple index sets. Works for hist and real time.
class IndexSetIterator:
def __init__(self, *indexes):
self.indexes = indexes
def __len__(self):
rst = 0
for index in self.indexes:
rst += index.size()
return rst
def __iter__(self):
for index in self.indexes:
it = index.iterator()
while it.hasNext():
yield it.next()
#TODO: clearly in production code there would need to be extensive testing of inputs and outputs (e.g. no null, correct size, ...)
#TODO: ths is a static example, real time requires more work
#TODO: this is not written in an efficient way. it is written quickly to get something to look at
# this handles input so that user does not always have to enter every column they want to use
def _parse_input(inputs, table):
# what are all possible cases
new_inputs = inputs
# input length zero - problem
if len(inputs) == 0:
raise ValueError('The input list cannot have length 0.')
# first input list of features
elif len(inputs) == 1:
# if list of features is empty, replace with all columns and return
if len(inputs[0].columns) == 0:
new_inputs[0].columns = list(table.getMeta().getColumn("Name").getDirect())
return new_inputs
else:
return new_inputs
else:
# now that we know input length at least 2, ensure target non-empty
if len(inputs[0].columns) == 0:
raise ValueError('Target input cannot be empty.')
else:
target = inputs[0].columns
# look through every other input to find empty list
for i in range(1,len(inputs)):
if len(inputs[i].columns) == 0:
new_inputs[i].columns = list(table.dropColumns(target).getMeta().getColumn("Name").getDirect())
else:
pass
return new_inputs
def _gather_input(table, input):
# converts selected columns to numpy and removes axes of length 1
npy_table = np.squeeze(npy.numpy_slice(table.view(input.columns), 0, table.size()))
return input.gather(*npy_table)
def _gather_input_original(table, input):
#TODO: getDirect is probably terribly slow here, but it makes short code
data = [ table.getColumn(col).getDirect() for col in input.columns ]
return input.gather(*data)
def ai_eval(table=None, model_func=None, inputs=[], outputs=[]):
print("SETUP")
inputs = _parse_input(inputs, table)
col_sets = [ [ table.getColumnSource(col) for col in input.columns ] for input in inputs ]
print("GATHER")
#TODO: for real time, the IndexSetIterator would be populated with the ADD and MODIFY indices
idx = IndexSetIterator(table.getIndex())
gathered = [ input.gather(idx, col_set) for (input,col_set) in zip(inputs,col_sets) ]
# if there are no outputs, we just want to call model_func and return nothing
if outputs == None:
print("COMPUTE NEW DATA")
model_func(*gathered)
return
else:
print("COMPUTE NEW DATA")
output_values = model_func(*gathered)
print("POPULATE OUTPUT TABLE")
rst = table.by()
n = table.size()
for output in outputs:
print(f"GENERATING OUTPUT: {output.column}")
#TODO: maybe we can infer the type?
data = jpy.array(output.col_type, n)
#TODO: python looping is slow. should avoid or numba it
for i in range(n):
data[i] = output.scatter(output_values, i)
QueryScope.addParam("__temp", data)
rst = rst.update(f"{output.column} = __temp")
return rst.ungroup()
################################################################################################################################
# Everything here would be user created -- or maybe part of a DH library if it is common functionality
################################################################################################################################
import torch
import torchsummary
import torch.nn as nn
from torch.optim import SGD
from numpy import argmax
from numpy import vstack
from sklearn.metrics import accuracy_score
from deephaven.TableTools import readCsv
# set seed for reproducibility
torch.manual_seed(17306168389181004404)
# import data from sample data directory
iris = readCsv("/data/examples/iris/csv/iris.csv")
# since Class is categorical, we need to convert it to numeric
# TODO: tihs is not great, a function to do all of this for me would be nice
iris = iris.aj(iris.by("Class")\
.update("idx = i"), "Class", "idx")\
.dropColumns("Class")\
.renameColumns("Class = idx")
# create model, this does not change with how you interact with ai_eval, so we put it at the top
# model definition
class MLP(nn.Module):
# define model elements
def __init__(self, n_inputs):
super(MLP, self).__init__()
# input to first hidden layer
self.hidden1 = nn.Linear(n_inputs, 10)
nn.init.kaiming_uniform_(self.hidden1.weight, nonlinearity='relu')
self.act1 = nn.ReLU()
# second hidden layer
self.hidden2 = nn.Linear(10, 8)
nn.init.kaiming_uniform_(self.hidden2.weight, nonlinearity='relu')
self.act2 = nn.ReLU()
# third hidden layer and output
self.hidden3 = nn.Linear(8, 3)
nn.init.xavier_uniform_(self.hidden3.weight)
self.act3 = nn.Softmax(dim=1)
# forward propagate input
def forward(self, X):
# input to first hidden layer
X = self.hidden1(X)
X = self.act1(X)
# second hidden layer
X = self.hidden2(X)
X = self.act2(X)
# output layer
X = self.hidden3(X)
X = self.act3(X)
return X
# define model and set hyperparameters
model = MLP(4)
criterion = nn.CrossEntropyLoss()
optimizer = SGD(model.parameters(), lr=0.01, momentum=0.9)
epochs = 500
batch_size = 20
split = .75
def train_and_validate(target, features):
# first, since we pass ai_eval one DH table, we must perform train/test split here
split_permutation = torch.randperm(features.size()[0])
num_train = round(features.size()[0] * split)
train_ind = split_permutation[0 : num_train - 1]
test_ind = split_permutation[num_train : features.size()[0] - 1]
train_target, train_features = target[train_ind], features[train_ind]
test_target, test_features = target[test_ind], features[test_ind]
# first, we train the model using the code from train_model given above.
# enumerate epochs, one loop represents one full pass through dataset
for epoch in range(epochs):
# create permutation for selecting mini batches
permutation = torch.randperm(train_features.size()[0])
# enumerate mini batches, one loop represents one batch for updating gradients and loss
for i in range(0, train_features.size()[0], batch_size):
# compute indices for this batch and split
indices = permutation[i:i+batch_size]
target_batch, features_batch = train_target[indices], train_features[indices]
# clear the gradients
optimizer.zero_grad()
# compute the model output
yhat = model(features_batch)
# calculate loss
loss = criterion(yhat, target_batch)
# credit assignment
loss.backward()
# update model weights
optimizer.step()
# print out a model summary using the torchsummary package
torchsummary.summary(model, (1,) + tuple(features.size()))
# now that we've trained the model, we perform validation on our test set, again using the code above
predictions, actuals = list(), list()
# evaluate the model on the test set
yhat = model(test_features)
# retrieve numpy array
yhat = yhat.detach().numpy()
actual = test_target.numpy()
# convert to class labels
yhat = argmax(yhat, axis=1)
# reshape for stacking
actual = actual.reshape((len(actual), 1))
yhat = yhat.reshape((len(yhat), 1))
# store
predictions.append(yhat)
actuals.append(actual)
predictions, actuals = vstack(predictions), vstack(actuals)
# calculate accuracy
acc = accuracy_score(actuals, predictions)
print("Accuracy score: " + str(acc))
predicted_classes = torch.argmax(model(features),1)
return predicted_classes
def tensor_2d(idx, cols):
rst = torch.empty(len(idx), len(cols), dtype=torch.float32)
for (i,kk) in enumerate(idx):
for (j,col) in enumerate(cols):
rst[i,j] = col.get(kk)
return rst
def tensor_1d(idx, col):
rst = torch.empty(len(idx), dtype=torch.long)
for (i,kk) in enumerate(idx):
rst[i] = col[0].get(kk)
return rst
def to_scalar(data, i):
return int(data[i])
# supervised learning on all features, target first
predicted = ai_eval(table = iris, model_func = train_and_validate,
inputs = [Input("Class", tensor_1d), Input([], tensor_2d)],
outputs = [Output("Predicted", to_scalar, "int")])