-
Notifications
You must be signed in to change notification settings - Fork 0
/
mnist_training.py
63 lines (50 loc) · 1.92 KB
/
mnist_training.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
#!/usr/bin/env python
import os
import sys
import numpy as np
import pandas as pd
from keras import layers, callbacks
from keras.utils import to_categorical
from keras.datasets import mnist
from keras.models import Model
if __name__ == '__main__':
"""
Train a model for the MNIST dataset, using the architecture defined in
the paper.
"""
if(len(sys.argv) != 2):
print('Usage: python mnist_training.py <filename>')
filename = sys.argv[1]
(train_data, train_labels), (test_data, test_labels) = mnist.load_data()
# Retrieve dataset
train_data = train_data.reshape(train_data.shape[0],28, 28, 1).astype('float32')/255
test_data = test_data.reshape(test_data.shape[0], 28, 28, 1).astype('float32')/255
train_labels = to_categorical(train_labels)
test_labels = to_categorical(test_labels)
# Permute data
np.random.seed()
idx = np.arange(train_data.shape[0])
np.random.shuffle(idx)
train_data = train_data[idx, :, :, :]
train_labels = train_labels[idx]
# Define model for training
input = layers.Input(shape=(28,28,1))
conv1 = layers.Conv2D(16, (5,5), activation='relu')(input)
pool1 = layers.MaxPooling2D(3)(conv1)
conv2 = layers.Conv2D(16, (5,5), activation='relu')(pool1)
pool2 = layers.MaxPooling2D(3)(conv2)
dense_in = layers.Flatten()(pool2)
dense1 = layers.Dense(500, activation='relu')(dense_in)
dense2 = layers.Dense(10, activation='softmax')(dense1)
model = Model(inputs = input, outputs = dense2)
model.compile(loss='categorical_crossentropy', optimizer='adam', metrics=['categorical_accuracy'])
callback_list = [
callbacks.EarlyStopping(monitor='val_loss', patience=5, restore_best_weights=True)
]
# Train and save model
model.fit(
train_data, train_labels, epochs = 50, verbose=1,
validation_split=0.2,
batch_size=128, callbacks=callback_list
)
model.save(filename)