-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path01_1_train_DAE.py
410 lines (319 loc) · 11.6 KB
/
01_1_train_DAE.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
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
# ---
# jupyter:
# jupytext:
# formats: ipynb,py:percent
# text_representation:
# extension: .py
# format_name: percent
# format_version: '1.3'
# jupytext_version: 1.16.2
# kernelspec:
# display_name: Python 3
# language: python
# name: python3
# ---
# %% [markdown]
# # Denoising Autoencoder
# %% tags=["hide-input"]
import logging
import sklearn
from fastai import learner
from fastai.basics import *
from fastai.callback.all import *
from fastai.torch_basics import *
from IPython.display import display
from sklearn.impute import SimpleImputer
from sklearn.preprocessing import StandardScaler
import pimmslearn
import pimmslearn.model
import pimmslearn.models as models
from pimmslearn.analyzers import analyzers
from pimmslearn.io import datasplits
# overwriting Recorder callback with custom plot_loss
from pimmslearn.models import ae, plot_loss
learner.Recorder.plot_loss = plot_loss
logger = pimmslearn.logging.setup_logger(logging.getLogger('pimmslearn'))
logger.info(
"Experiment 03 - Analysis of latent spaces and performance comparisions")
figures = {} # collection of ax or figures
# %% tags=["hide-input"]
# catch passed parameters
args = None
args = dict(globals()).keys()
# %% [markdown]
# Papermill script parameters:
# %% tags=["parameters"]
# files and folders
# Datasplit folder with data for experiment
folder_experiment: str = 'runs/example'
folder_data: str = '' # specify data directory if needed
file_format: str = 'csv' # file format of create splits, default pickle (pkl)
# Machine parsed metadata from rawfile workflow
fn_rawfile_metadata: str = 'data/dev_datasets/HeLa_6070/files_selected_metadata_N50.csv'
# training
epochs_max: int = 50 # Maximum number of epochs
# early_stopping:bool = True # Wheather to use early stopping or not
patience: int = 25 # Patience for early stopping
batch_size: int = 64 # Batch size for training (and evaluation)
cuda: bool = True # Whether to use a GPU for training
# model
# Dimensionality of encoding dimension (latent space of model)
latent_dim: int = 25
# A underscore separated string of layers, '128_64' for the encoder, reverse will be use for decoder
hidden_layers: str = '512'
sample_idx_position: int = 0 # position of index which is sample ID
model: str = 'DAE' # model name
model_key: str = 'DAE' # potentially alternative key for model (grid search)
save_pred_real_na: bool = True # Save all predictions for missing values
# metadata -> defaults for metadata extracted from machine data
meta_date_col: str = None # date column in meta data
meta_cat_col: str = None # category column in meta data
# %% [markdown]
# Some argument transformations
# %% tags=["hide-input"]
args = pimmslearn.nb.get_params(args, globals=globals())
args
# %% tags=["hide-input"]
args = pimmslearn.nb.args_from_dict(args)
if isinstance(args.hidden_layers, str):
args.overwrite_entry("hidden_layers", [int(x)
for x in args.hidden_layers.split('_')])
else:
raise ValueError(
f"hidden_layers is of unknown type {type(args.hidden_layers)}")
args
# %% [markdown]
# Some naming conventions
# %% tags=["hide-input"]
TEMPLATE_MODEL_PARAMS = 'model_params_{}.json'
# %% [markdown]
# ## Load data in long format
# %% tags=["hide-input"]
data = datasplits.DataSplits.from_folder(
args.data, file_format=args.file_format)
# %% [markdown]
# data is loaded in long format
# %% tags=["hide-input"]
data.train_X.sample(5)
# %% [markdown]
# Infer index names from long format
# %% tags=["hide-input"]
index_columns = list(data.train_X.index.names)
sample_id = index_columns.pop(args.sample_idx_position)
if len(index_columns) == 1:
index_column = index_columns.pop()
index_columns = None
logger.info(f"{sample_id = }, single feature: {index_column = }")
else:
logger.info(f"{sample_id = }, multiple features: {index_columns = }")
if not index_columns:
index_columns = [sample_id, index_column]
else:
raise NotImplementedError(
"More than one feature: Needs to be implemented. see above logging output.")
# %% [markdown]
# load meta data for splits
# %% tags=["hide-input"]
if args.fn_rawfile_metadata:
df_meta = pd.read_csv(args.fn_rawfile_metadata, index_col=0)
display(df_meta.loc[data.train_X.index.levels[0]])
else:
df_meta = None
# %% [markdown]
# ### Produce some addional simulated samples
# %% [markdown]
# The validation simulated NA is used to by all models to evaluate training performance.
# %% tags=["hide-input"]
val_pred_simulated_na = data.val_y.to_frame(name='observed')
val_pred_simulated_na
# %% tags=["hide-input"]
test_pred_simulated_na = data.test_y.to_frame(name='observed')
test_pred_simulated_na.describe()
# %% [markdown]
# ## Data in wide format
#
# - Autoencoder need data in wide format
# %% tags=["hide-input"]
data.to_wide_format()
args.M = data.train_X.shape[-1]
data.train_X.head()
# %% [markdown]
# ### Fill Validation data with potentially missing features
# %% tags=["hide-input"]
data.train_X
# %% tags=["hide-input"]
data.val_y # potentially has less features
# %% tags=["hide-input"]
data.val_y = pd.DataFrame(pd.NA, index=data.train_X.index,
columns=data.train_X.columns).fillna(data.val_y)
data.val_y
# %% [markdown]
# ## Denoising Autoencoder
# %% [markdown]
# ### Analysis: DataLoaders, Model, transform
# %% tags=["hide-input"]
default_pipeline = sklearn.pipeline.Pipeline(
[
('normalize', StandardScaler()),
('impute', SimpleImputer(add_indicator=False))
])
analysis = ae.AutoEncoderAnalysis(
train_df=data.train_X,
val_df=data.val_y,
model=ae.Autoencoder,
transform=default_pipeline,
decode=['normalize'],
model_kwargs=dict(n_features=data.train_X.shape[-1],
n_neurons=args.hidden_layers,
last_decoder_activation=None,
dim_latent=args.latent_dim),
bs=args.batch_size)
args.n_params = analysis.n_params_ae
if args.cuda:
analysis.model = analysis.model.cuda()
analysis.model
# %% [markdown]
# ### Training
# %% tags=["hide-input"]
analysis.learn = Learner(dls=analysis.dls,
model=analysis.model,
loss_func=MSELossFlat(reduction='sum'),
cbs=[EarlyStoppingCallback(patience=args.patience),
ae.ModelAdapter(p=0.2)]
)
analysis.learn.show_training_loop()
# %% [markdown]
# Adding a `EarlyStoppingCallback` results in an error. Potential fix in
# [PR3509](https://github.com/fastai/fastai/pull/3509) is not yet in
# current version. Try again later
# %% tags=["hide-input"]
# learn.summary()
# %% tags=["hide-input"]
suggested_lr = analysis.learn.lr_find()
analysis.params['suggested_inital_lr'] = suggested_lr.valley
suggested_lr
# %% [markdown]
# dump model config
# %% tags=["hide-input"]
pimmslearn.io.dump_json(analysis.params, args.out_models /
TEMPLATE_MODEL_PARAMS.format(args.model_key))
# %% tags=["hide-input"]
# papermill_description=train
analysis.learn.fit_one_cycle(args.epochs_max, lr_max=suggested_lr.valley)
# %% [markdown]
# Save number of actually trained epochs
# %% tags=["hide-input"]
args.epoch_trained = analysis.learn.epoch + 1
args.epoch_trained
# %% [markdown]
# #### Loss normalized by total number of measurements
# %% tags=["hide-input"]
N_train_notna = data.train_X.notna().sum().sum()
N_val_notna = data.val_y.notna().sum().sum()
fig = models.plot_training_losses(analysis.learn, args.model_key,
folder=args.out_figures,
norm_factors=[N_train_notna, N_val_notna])
# %% [markdown]
# Why is the validation loss better then the training loss?
# - during training input data is masked and needs to be reconstructed
# - when evaluating the model, all input data is provided and only the artifically masked data is used for evaluation.
# %% [markdown]
# ### Predictions
#
# - data of training data set and validation dataset to create predictions is the same as training data.
# - predictions include missing values (which are not further compared)
#
# - [ ] double check ModelAdapter
#
# create predictiona and select for validation data
# %% tags=["hide-input"]
analysis.model.eval()
pred, target = analysis.get_preds_from_df(df_wide=data.train_X) # train_X
pred = pred.stack()
pred
# %% tags=["hide-input"]
val_pred_simulated_na['DAE'] = pred # model_key ?
val_pred_simulated_na
# %% tags=["hide-input"]
test_pred_simulated_na['DAE'] = pred # model_key?
test_pred_simulated_na
# %% [markdown]
# save missing values predictions
# %% tags=["hide-input"]
if args.save_pred_real_na:
pred_real_na = ae.get_missing_values(df_train_wide=data.train_X,
val_idx=val_pred_simulated_na.index,
test_idx=test_pred_simulated_na.index,
pred=pred)
display(pred_real_na)
pred_real_na.to_csv(args.out_preds / f"pred_real_na_{args.model_key}.csv")
# %% [markdown]
# ### Plots
#
# - validation data
# %% tags=["hide-input"]
analysis.model.cpu()
df_latent = pimmslearn.model.get_latent_space(analysis.model.encoder,
dl=analysis.dls.valid,
dl_index=analysis.dls.valid.data.index)
df_latent
# %% tags=["hide-input"]
# # ! calculate embeddings only if meta data is available? Optional argument to save embeddings?
ana_latent = analyzers.LatentAnalysis(df_latent,
df_meta,
args.model_key,
folder=args.out_figures)
if args.meta_date_col and df_meta is not None:
figures[f'latent_{args.model_key}_by_date'], ax = ana_latent.plot_by_date(
args.meta_date_col)
# %% tags=["hide-input"]
if args.meta_cat_col and df_meta is not None:
figures[f'latent_{args.model_key}_by_{"_".join(args.meta_cat_col.split())}'], ax = ana_latent.plot_by_category(
args.meta_cat_col)
# %% [markdown]
# ## Comparisons
#
# Simulated NAs : Artificially created NAs. Some data was sampled and set
# explicitly to misssing before it was fed to the model for
# reconstruction.
# %% [markdown]
# ### Validation data
#
# - all measured (identified, observed) peptides in validation data
# %% tags=["hide-input"]
# papermill_description=metrics
d_metrics = models.Metrics()
# %% [markdown]
# The simulated NA for the validation step are real test data (not used for training nor early stopping)
# %% tags=["hide-input"]
added_metrics = d_metrics.add_metrics(val_pred_simulated_na, 'valid_simulated_na')
added_metrics
# %% [markdown]
# ### Test Datasplit
# %% tags=["hide-input"]
added_metrics = d_metrics.add_metrics(test_pred_simulated_na, 'test_simulated_na')
added_metrics
# %% [markdown]
# Save all metrics as json
# %% tags=["hide-input"]
pimmslearn.io.dump_json(d_metrics.metrics, args.out_metrics /
f'metrics_{args.model_key}.json')
d_metrics
# %% tags=["hide-input"]
metrics_df = models.get_df_from_nested_dict(d_metrics.metrics,
column_levels=['model', 'metric_name']).T
metrics_df
# %% [markdown]
# ## Save predictions
# %% tags=["hide-input"]
# save simulated missing values for both splits
val_pred_simulated_na.to_csv(args.out_preds / f"pred_val_{args.model_key}.csv")
test_pred_simulated_na.to_csv(args.out_preds / f"pred_test_{args.model_key}.csv")
# %% [markdown]
# ## Config
# %% tags=["hide-input"]
figures # switch to fnames?
# %% tags=["hide-input"]
args.dump(fname=args.out_models / f"model_config_{args.model_key}.yaml")
args
# %% tags=["hide-input"]