How to Develop a CNN for MNIST Handwritten Digit Classification
How to Develop a CNN for MNIST Handwritten Digit Classification
193
Share Post
Share
How to Develop a Convolutional Neural Network From Scratch for MNIST Handwritten
Digit Classification.
Although the dataset is effectively solved, it can be used as the basis for learning and
practicing how to develop, evaluate, and use convolutional deep learning neural
networks for image classification from scratch. This includes how to develop a robust
test harness for estimating the performance of the model, how to explore improvements
to the model, and how to save the model and later load it to make predictions on new
data.
In this tutorial, you will discover how to develop a convolutional neural network for
handwritten digit classification from scratch.
Kick-start your project with my new book Deep Learning for Computer Vision, including
step-by-step tutorials and the Python source code files for all examples.
Let’s get started.
● Updated Dec/2019: Updated examples for TensorFlow 2.0 and Keras 2.3.
● Updated Jan/2020: Fixed a bug where models were defined outside the cross-
validation loop.
● Updated Nov/2021: Updated to use Tensorflow 2.6
How to Develop a Convolutional Neural Network From Scratch for MNIST Handwritten Digit Classification
Photo by Richard Allaway, some rights reserved.
Tutorial Overview
This tutorial is divided into five parts; they are:
Click to sign-up and also get a free PDF Ebook version of the course.
Development Environment
This tutorial assumes that you are using standalone Keras running on top of TensorFlow
with Python 3. If you need help setting up your development environment see this
tutorial:
● How to Setup Your Python Environment for Machine Learning with Anaconda
The task is to classify a given image of a handwritten digit into one of 10 classes
representing integer values from 0 to 9, inclusively.
It is a widely used and deeply understood dataset and, for the most part, is “solved.”
Top-performing models are deep learning convolutional neural networks that achieve a
classification accuracy of above 99%, with an error rate between 0.4 %and 0.2% on the
hold out test dataset.
The example below loads the MNIST dataset using the Keras API and creates a plot of
the first nine images in the training dataset.
4 # load dataset
5 (trainX, trainy), (testX, testy) = mnist.load_data()
10 for i in range(9):
11 # define subplot
12 plt.subplot(330 + 1 + i)
14 plt.imshow(trainX[i], cmap=plt.get_cmap('gray'))
16 plt.show()
Running the example loads the MNIST train and test dataset and prints their shape.
We can see that there are 60,000 examples in the training dataset and 10,000 in the test
dataset and that images are indeed square with 28×28 pixels.
A plot of the first nine images in the dataset is also created showing the natural
handwritten nature of the images to be classified.
Plot of a Subset of Images From the MNIST Dataset
The dataset already has a well-defined train and test dataset that we can use.
In order to estimate the performance of a model for a given training run, we can further
split the training set into a train and validation dataset. Performance on the train and
validation dataset over each run can then be plotted to provide learning curves and
insight into how well a model is learning the problem.
The Keras API supports this by specifying the “validation_data” argument to the
model.fit() function when training the model, that will, in turn, return an object that
describes model performance for the chosen loss and metrics on each training epoch.
In order to estimate the performance of a model on the problem in general, we can use
k-fold cross-validation, perhaps five-fold cross-validation. This will give some account of
the models variance with both respect to differences in the training and test datasets,
and in terms of the stochastic nature of the learning algorithm. The performance of a
model can be taken as the mean performance across k-folds, given the standard
deviation, that could be used to estimate a confidence interval if desired.
We can use the KFold class from the scikit-learn API to implement the k-fold cross-
validation evaluation of a given neural network model. There are many ways to achieve
this, although we can choose a flexible approach where the KFold class is only used to
specify the row indexes used for each spit.
2 data = ...
5 # enumerate splits
7 model = ...
8 ...
We will hold back the actual test dataset and use it as an evaluation of our final model.
The design of the test harness is modular, and we can develop a separate function for
each piece. This allows a given aspect of the test harness to be modified or inter-
changed, if we desire, separately from the rest.
We can develop this test harness with five key elements. They are the loading of the
dataset, the preparation of the dataset, the definition of the model, the evaluation of the
model, and the presentation of results.
Load Dataset
For example, we know that the images are all pre-aligned (e.g. each image only contains
a hand-drawn digit), that the images all have the same square size of 28×28 pixels, and
that the images are grayscale.
Therefore, we can load the images and reshape the data arrays to have a single color
channel.
1 # load dataset
We also know that there are 10 classes and that classes are represented as unique
integers.
We can, therefore, use a one hot encoding for the class element of each sample,
transforming the integer into a 10 element binary vector with a 1 for the index of the
class value, and 0 values for all other classes. We can achieve this with the
to_categorical() utility function.
1 # one hot encode target values
2 trainY = to_categorical(trainY)
3 testY = to_categorical(testY)
The load_dataset() function implements these behaviors and can be used to load the
dataset.
2 def load_dataset():
3 # load dataset
9 trainY = to_categorical(trainY)
10 testY = to_categorical(testY)
We know that the pixel values for each image in the dataset are unsigned integers in the
range between black and white, or 0 and 255.
We do not know the best way to scale the pixel values for modeling, but we know that
some scaling will be required.
A good starting point is to normalize the pixel values of grayscale images, e.g. rescale
them to the range [0,1]. This involves first converting the data type from unsigned
integers to floats, then dividing the pixel values by the maximum value.
2 train_norm = train.astype('float32')
3 test_norm = test.astype('float32')
The prep_pixels() function below implements these behaviors and is provided with the
pixel values for both the train and test datasets that will need to be scaled.
1 # scale pixels
4 train_norm = train.astype('float32')
5 test_norm = test.astype('float32')
This function must be called to prepare the pixel values prior to any modeling.
Define Model
Next, we need to define a baseline convolutional neural network model for the problem.
The model has two main aspects: the feature extraction front end comprised of
convolutional and pooling layers, and the classifier backend that will make a prediction.
For the convolutional front-end, we can start with a single convolutional layer with a
small filter size (3,3) and a modest number of filters (32) followed by a max pooling layer.
The filter maps can then be flattened to provide features to the classifier.
Given that the problem is a multi-class classification task, we know that we will require
an output layer with 10 nodes in order to predict the probability distribution of an image
belonging to each of the 10 classes. This will also require the use of a softmax activation
function. Between the feature extractor and the output layer, we can add a dense layer
to interpret the features, in this case with 100 nodes.
All layers will use the ReLU activation function and the He weight initialization scheme,
both best practices.
We will use a conservative configuration for the stochastic gradient descent optimizer
with a learning rate of 0.01 and a momentum of 0.9. The categorical cross-entropy loss
function will be optimized, suitable for multi-class classification, and we will monitor the
classification accuracy metric, which is appropriate given we have the same number of
examples in each of the 10 classes.
The define_model() function below will define and return this model.
2 def define_model():
3 model = Sequential()
return model
Evaluate Model
The model will be evaluated using five-fold cross-validation. The value of k=5 was
chosen to provide a baseline for both repeated evaluation and to not be so large as to
require a long running time. Each test set will be 20% of the training dataset, or about
12,000 examples, close to the size of the actual test set for this problem.
The training dataset is shuffled prior to being split, and the sample shuffling is performed
each time, so that any model we evaluate will have the same train and test datasets in
each fold, providing an apples-to-apples comparison between models.
We will train the baseline model for a modest 10 training epochs with a default batch
size of 32 examples. The test set for each fold will be used to evaluate the model both
during each epoch of the training run, so that we can later create learning curves, and at
the end of the run, so that we can estimate the performance of the model. As such, we
will keep track of the resulting history from each run, as well as the classification
accuracy of the fold.
The evaluate_model() function below implements these behaviors, taking the training
dataset as arguments and returning a list of accuracy scores and training histories that
can be later summarized.
6 # enumerate splits
8 # define model
9 model = define_model()
15 # evaluate model
18 # stores scores
19 scores.append(acc)
20 histories.append(history)
Present Results
Once the model has been evaluated, we can present the results.
There are two key aspects to present: the diagnostics of the learning behavior of the
model during training and the estimation of the model performance. These can be
implemented using separate functions.
First, the diagnostics involve creating a line plot showing model performance on the train
and test set during each fold of the k-fold cross-validation. These plots are valuable for
getting an idea of whether a model is overfitting, underfitting, or has a good fit for the
dataset.
We will create a single figure with two subplots, one for loss and one for accuracy. Blue
lines will indicate model performance on the training dataset and orange lines will
indicate performance on the hold out test dataset. The summarize_diagnostics() function
below creates and shows this plot given the collected training histories.
2 def summarize_diagnostics(histories):
3 for i in range(len(histories)):
4 # plot loss
5 plt.subplot(2, 1, 1)
8 plt.plot(histories[i].history['val_loss'], color='orange',
label='test')
9
# plot accuracy
10
plt.subplot(2, 1, 2)
11
plt.title('Classification Accuracy')
12
plt.plot(histories[i].history['accuracy'], color='blue',
13 label='train')
14 plt.plot(histories[i].history['val_accuracy'], color='orange',
label='test')
plt.show()
Next, the classification accuracy scores collected during each fold can be summarized
by calculating the mean and standard deviation. This provides an estimate of the
average expected performance of the model trained on this dataset, with an estimate of
the average variance in the mean. We will also summarize the distribution of scores by
creating and showing a box and whisker plot.
The summarize_performance() function below implements this for a given list of scores
collected during model evaluation.
2 def summarize_performance(scores):
3 # print summary
Complete Example
2 def run_test_harness():
3 # load dataset
9 # learning curves
10 summarize_diagnostics(histories)
12 summarize_performance(scores)
We now have everything we need; the complete code example for a baseline
convolutional neural network model on the MNIST dataset is listed below.
14
16 def load_dataset():
17 # load dataset
23 trainY = to_categorical(trainY)
24 testY = to_categorical(testY)
26
27 # scale pixels
30 train_norm = train.astype('float32')
31 test_norm = test.astype('float32')
37
39 def define_model():
40 model = Sequential()
50 return model
51
57 # enumerate splits
59 # define model
60 model = define_model()
66 # evaluate model
69 # stores scores
70 scores.append(acc)
71 histories.append(history)
73
75 def summarize_diagnostics(histories):
76 for i in range(len(histories)):
77 # plot loss
78 plt.subplot(2, 1, 1)
81 plt.plot(histories[i].history['val_loss'], color='orange',
label='test')
82
# plot accuracy
83
plt.subplot(2, 1, 2)
84
plt.title('Classification Accuracy')
85
plt.plot(histories[i].history['accuracy'], color='blue',
86
label='train')
87
88 plt.plot(histories[i].history['val_accuracy'], color='orange',
label='test')
89
plt.show()
90
91
# summarize model performance
92
def summarize_performance(scores):
93
# print summary
94
print('Accuracy: mean=%.3f std=%.3f, n=%d' % (mean(scores)*100,
95 std(scores)*100, len(scores)))
97 plt.boxplot(scores)
98 plt.show()
99
109 summarize_diagnostics(histories)
summarize_performance(scores)
run_test_harness()
Running the example prints the classification accuracy for each fold of the cross-
validation process. This is helpful to get an idea that the model evaluation is progressing.
Note: Your results may vary given the stochastic nature of the algorithm or evaluation
procedure, or differences in numerical precision. Consider running the example a few
times and compare the average outcome.
We can see two cases where the model achieves perfect skill and one case where it
achieved lower than 98% accuracy. These are good results.
1 > 98.550
2 > 98.600
3 > 98.642
4 > 98.850
5 > 98.742
Next, a diagnostic plot is shown, giving insight into the learning behavior of the model
across each fold.
In this case, we can see that the model generally achieves a good fit, with train and test
learning curves converging. There is no obvious sign of over- or underfitting.
Loss and Accuracy Learning Curves for the Baseline Model During k-Fold Cross-Validation
We can see in this case, the model has an estimated skill of about 98.6%, which is
reasonable.
Finally, a box and whisker plot is created to summarize the distribution of accuracy
scores.
Box and Whisker Plot of Accuracy Scores for the Baseline Model Evaluated Using k-Fold Cross-Validation
We will look at areas of model configuration that often result in an improvement, so-
called low-hanging fruit. The first is a change to the learning algorithm, and the second is
an increase in the depth of the model.
Improvement to Learning
There are many aspects of the learning algorithm that can be explored for improvement.
Perhaps the point of biggest leverage is the learning rate, such as evaluating the impact
that smaller or larger values of the learning rate may have, as well as schedules that
change the learning rate during training.
Another approach that can rapidly accelerate the learning of a model and can result in
large performance improvements is batch normalization. We will evaluate the effect that
batch normalization has on our baseline model.
Batch normalization can be used after convolutional and fully connected layers. It has
the effect of changing the distribution of the output of the layer, specifically by
standardizing the outputs. This has the effect of stabilizing and accelerating the learning
process.
We can update the model definition to use batch normalization after the activation
function for the convolutional and dense layers of our baseline model. The updated
version of define_model() function with batch normalization is listed below.
2 def define_model():
3 model = Sequential()
return model
15
17 def load_dataset():
18 # load dataset
24 trainY = to_categorical(trainY)
25 testY = to_categorical(testY)
27
28 # scale pixels
31 train_norm = train.astype('float32')
32 test_norm = test.astype('float32')
33 # normalize to range 0-1
38
40 def define_model():
41 model = Sequential()
53 return model
54
60 # enumerate splits
62 # define model
63 model = define_model()
64 # select rows for train and test
69 # evaluate model
72 # stores scores
73 scores.append(acc)
74 histories.append(history)
76
78 def summarize_diagnostics(histories):
79 for i in range(len(histories)):
80 # plot loss
81 plt.subplot(2, 1, 1)
84 plt.plot(histories[i].history['val_loss'], color='orange',
label='test')
85
# plot accuracy
86
plt.subplot(2, 1, 2)
87
plt.title('Classification Accuracy')
88
plt.plot(histories[i].history['accuracy'], color='blue',
89
label='train')
90
plt.plot(histories[i].history['val_accuracy'], color='orange',
91 label='test')
92 plt.show()
93
96 # print summary
102
# run the test harness for evaluating a model
103
def run_test_harness():
104
# load dataset
105
trainX, trainY, testX, testY = load_dataset()
106
# prepare pixel data
107
trainX, testX = prep_pixels(trainX, testX)
108
# evaluate model
109
scores, histories = evaluate_model(trainX, trainY)
110
# learning curves
111
summarize_diagnostics(histories)
112
# summarize estimated performance
summarize_performance(scores)
run_test_harness()
Running the example again reports model performance for each fold of the cross-
validation process.
Note: Your results may vary given the stochastic nature of the algorithm or evaluation
procedure, or differences in numerical precision. Consider running the example a few
times and compare the average outcome.
We can see perhaps a small drop in model performance as compared to the baseline
across the cross-validation folds.
1 > 98.475
2 > 98.608
3 > 98.683
4 > 98.783
5 > 98.667
A plot of the learning curves is created, in this case showing that the speed of learning
(improvement over epochs) does not appear to be different from the baseline model.
The plots suggest that batch normalization, at least as implemented in this case, does
not offer any benefit.
Loss and Accuracy Learning Curves for the BatchNormalization Model During k-Fold Cross-Validation
Next, the estimated performance of the model is presented, showing performance with a
slight decrease in the mean accuracy of the model: 98.643 as compared to 98.677 with
the baseline model.
1 Accuracy: mean=98.643 std=0.101, n=5
Box and Whisker Plot of Accuracy Scores for the BatchNormalization Model Evaluated Using k-Fold Cross-
Validation
There are many ways to change the model configuration in order to explore
improvements over the baseline model.
Two common approaches involve changing the capacity of the feature extraction part of
the model or changing the capacity or function of the classifier part of the model.
Perhaps the point of biggest influence is a change to the feature extractor.
We can increase the depth of the feature extractor part of the model, following a VGG-
like pattern of adding more convolutional and pooling layers with the same sized filter,
while increasing the number of filters. In this case, we will add a double convolutional
layer with 64 filters each, followed by another max pooling layer.
The updated version of the define_model() function with this change is listed below.
2 def define_model():
3 model = Sequential()
return model
For completeness, the entire code listing, including this change, is provided below.
14
16 def load_dataset():
17 # load dataset
23 trainY = to_categorical(trainY)
24 testY = to_categorical(testY)
26
27 # scale pixels
30 train_norm = train.astype('float32')
31 test_norm = test.astype('float32')
37
39 def define_model():
40 model = Sequential()
47 model.add(MaxPooling2D((2, 2)))
48 model.add(Flatten())
50 model.add(Dense(10, activation='softmax'))
51 # compile model
53 model.compile(optimizer=opt, loss='categorical_crossentropy',
metrics=['accuracy'])
54
return model
55
56
# evaluate a model using k-fold cross-validation
57
def evaluate_model(dataX, dataY, n_folds=5):
58
scores, histories = list(), list()
59
# prepare cross validation
60
kfold = KFold(n_folds, shuffle=True, random_state=1)
61
# enumerate splits
62
for train_ix, test_ix in kfold.split(dataX):
63
# define model
64
model = define_model()
65
# select rows for train and test
66
trainX, trainY, testX, testY = dataX[train_ix], dataY[train_ix],
67
dataX[test_ix], dataY[test_ix]
68
# fit model
69
history = model.fit(trainX, trainY, epochs=10, batch_size=32,
70 validation_data=(testX, testY), verbose=0)
71 # evaluate model
74 # stores scores
75 scores.append(acc)
76 histories.append(history)
78
80 def summarize_diagnostics(histories):
81 for i in range(len(histories)):
82 # plot loss
83 plt.subplot(2, 1, 1)
86 plt.plot(histories[i].history['val_loss'], color='orange',
label='test')
87
# plot accuracy
88
plt.subplot(2, 1, 2)
89
plt.title('Classification Accuracy')
90
plt.plot(histories[i].history['accuracy'], color='blue',
91 label='train')
92 plt.plot(histories[i].history['val_accuracy'], color='orange',
label='test')
93
plt.show()
94
95
# summarize model performance
96
def summarize_performance(scores):
97
# print summary
98
print('Accuracy: mean=%.3f std=%.3f, n=%d' % (mean(scores)*100,
99
std(scores)*100, len(scores)))
100
# box and whisker plots of results
101
plt.boxplot(scores)
102
plt.show()
103
104
# run the test harness for evaluating a model
105
def run_test_harness():
106
# load dataset
107
108 trainX, trainY, testX, testY = load_dataset()
# learning curves
summarize_diagnostics(histories)
summarize_performance(scores)
run_test_harness()
Running the example reports model performance for each fold of the cross-validation
process.
Note: Your results may vary given the stochastic nature of the algorithm or evaluation
procedure, or differences in numerical precision. Consider running the example a few
times and compare the average outcome.
The per-fold scores may suggest some improvement over the baseline.
1 > 99.058
2 > 99.042
3 > 98.883
4 > 99.192
5 > 99.133
A plot of the learning curves is created, in this case showing that the models still have a
good fit on the problem, with no clear signs of overfitting. The plots may even suggest
that further training epochs could be helpful.
Loss and Accuracy Learning Curves for the Deeper Model During k-Fold Cross-Validation
At some point, a final model configuration must be chosen and adopted. In this case, we
will choose the deeper model as our final model.
First, we will finalize our model, but fitting a model on the entire training dataset and
saving the model to file for later use. We will then load the model and evaluate its
performance on the hold out test dataset to get an idea of how well the chosen model
actually performs in practice. Finally, we will use the saved model to make a prediction
on a single image.
In this tutorial, we are intentionally holding back a test dataset so that we can estimate
the performance of the final model, which can be a good idea in practice. As such, we
will fit our model on the training dataset only.
1 # fit model
Once fit, we can save the final model to an H5 file by calling the save() function on the
model and pass in the chosen filename.
1 # save model
2 model.save('final_model.h5')
Note, saving and loading a Keras model requires that the h5py library is installed on your
workstation.
The complete example of fitting the final deep model on the training dataset and saving it
to file is listed below.
10
12 def load_dataset():
13 # load dataset
14 (trainX, trainY), (testX, testY) = mnist.load_data()
19 trainY = to_categorical(trainY)
20 testY = to_categorical(testY)
22
23 # scale pixels
26 train_norm = train.astype('float32')
27 test_norm = test.astype('float32')
33
35 def define_model():
36 model = Sequential()
46 model.add(Dense(10, activation='softmax'))
47 # compile model
49 model.compile(optimizer=opt, loss='categorical_crossentropy',
metrics=['accuracy'])
50
return model
51
52
# run the test harness for evaluating a model
53
def run_test_harness():
54
# load dataset
55
trainX, trainY, testX, testY = load_dataset()
56
# prepare pixel data
57
trainX, testX = prep_pixels(trainX, testX)
58
# define model
59
model = define_model()
60
# fit model
61
model.fit(trainX, trainY, epochs=10, batch_size=32, verbose=0)
62
# save model
63
model.save('final_model.h5')
64
run_test_harness()
After running this example, you will now have a 1.2-megabyte file with the name
‘final_model.h5‘ in your current working directory.
We can now load the final model and evaluate it on the hold out test dataset.
7 def load_dataset():
8 # load dataset
14 trainY = to_categorical(trainY)
15 testY = to_categorical(testY)
17
18 # scale pixels
21 train_norm = train.astype('float32')
22 test_norm = test.astype('float32')
28
31 # load dataset
35 # load model
36 model = load_model('final_model.h5')
40
42 run_test_harness()
Running the example loads the saved model and evaluates the model on the hold out
test dataset.
Note: Your results may vary given the stochastic nature of the algorithm or evaluation
procedure, or differences in numerical precision. Consider running the example a few
times and compare the average outcome.
The classification accuracy for the model on the test dataset is calculated and printed. In
this case, we can see that the model achieved an accuracy of 99.090%, or just less than
1%, which is not bad at all and reasonably close to the estimated 99.753% with a
standard deviation of about half a percent (e.g. 99% of scores).
1 > 99.090
Make Prediction
The model assumes that new images are grayscale, that they have been aligned so that
one image contains one centered handwritten digit, and that the size of the image is
square with the size 28×28 pixels.
Below is an image extracted from the MNIST test dataset. You can save it in your
current working directory with the filename ‘sample_image.png‘.
We will pretend this is an entirely new and unseen image, prepared in the required way,
and see how we might use our saved model to predict the integer that the image
represents (e.g. we expect “7“).
First, we can load the image, force it to be in grayscale format, and force the size to be
28×28 pixels. The loaded image can then be resized to have a single channel and
represent a single sample in a dataset. The load_image() function implements this and
will return the loaded image ready for classification.
Importantly, the pixel values are prepared in the same way as the pixel values were
prepared for the training dataset when fitting the final model, in this case, normalized.
2 def load_image(filename):
6 img = img_to_array(img)
10 img = img.astype('float32')
12 return img
Next, we can load the model as in the previous section and call the predict() function to
get the predicted score, and then use argmax() to obtain the digit that the image
represents.
2 predict_value = model.predict(img)
3 digit = argmax(predict_value)
8 def load_image(filename):
11 # convert to array
12 img = img_to_array(img)
18 return img
19
21 def run_example():
23 img = load_image('sample_image.png')
24 # load model
25 model = load_model('final_model.h5')
27 predict_value = model.predict(img)
28 digit = argmax(predict_value)
29 print(digit)
30
32 run_example()
Running the example first loads and prepares the image, loads the model, and then
correctly predicts that the loaded image represents the digit ‘7‘.
17
Extensions
This section lists some ideas for extending the tutorial that you may wish to explore.
● Tune Pixel Scaling. Explore how alternate pixel scaling methods impact model
performance as compared to the baseline model, including centering and
standardization.
● Tune the Learning Rate. Explore how different learning rates impact the model
performance as compared to the baseline model, such as 0.001 and 0.0001.
● Tune Model Depth. Explore how adding more layers to the model impact the
model performance as compared to the baseline model, such as another block of
convolutional and pooling layers or another dense layer in the classifier part of
the model.
Further Reading
This section provides more resources on the topic if you are looking to go deeper.
APIs
Articles
Summary
In this tutorial, you discovered how to develop a convolutional neural network for
handwritten digit classification from scratch.