In [1]:
#@title Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
In [2]:
#@title MIT License
#
# Copyright (c) 2017 François Chollet
#
# Permission is hereby granted, free of charge, to any person obtaining a
# copy of this software and associated documentation files (the "Software"),
# to deal in the Software without restriction, including without limitation
# the rights to use, copy, modify, merge, publish, distribute, sublicense,
# and/or sell copies of the Software, and to permit persons to whom the
# Software is furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
# THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
# FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
# DEALINGS IN THE SOFTWARE.

Save and load models

Model progress can be saved during and after training. This means a model can resume where it left off and avoid long training times. Saving also means you can share your model and others can recreate your work. When publishing research models and techniques, most machine learning practitioners share:

  • code to create the model, and
  • the trained weights, or parameters, for the model

Sharing this data helps others understand how the model works and try it themselves with new data.

Caution: TensorFlow models are code and it is important to be careful with untrusted code. See Using TensorFlow Securely for details.

Options

There are different ways to save TensorFlow models depending on the API you're using. This guide uses tf.keras—a high-level API to build and train models in TensorFlow. The new, high-level .keras format used in this tutorial is recommended for saving Keras objects, as it provides robust, efficient name-based saving that is often easier to debug than low-level or legacy formats. For more advanced saving or serialization workflows, especially those involving custom objects, please refer to the Save and load Keras models guide. For other approaches, refer to the Using the SavedModel format guide.

Setup

Installs and imports

Install and import TensorFlow and dependencies:

In [3]:
!pip install pyyaml h5py  # Required to save models in HDF5 format
Defaulting to user installation because normal site-packages is not writeable
Requirement already satisfied: pyyaml in /home/sciencedata/.local/lib/python3.10/site-packages (6.0.1)
Requirement already satisfied: h5py in /usr/local/lib/python3.10/dist-packages (3.11.0)
Requirement already satisfied: numpy>=1.17.3 in /usr/local/lib/python3.10/dist-packages (from h5py) (1.26.4)
In [4]:
import os

import tensorflow as tf
from tensorflow import keras

print(tf.version.VERSION)
2024-07-16 11:17:05.953436: E external/local_xla/xla/stream_executor/cuda/cuda_dnn.cc:9261] Unable to register cuDNN factory: Attempting to register factory for plugin cuDNN when one has already been registered
2024-07-16 11:17:05.953483: E external/local_xla/xla/stream_executor/cuda/cuda_fft.cc:607] Unable to register cuFFT factory: Attempting to register factory for plugin cuFFT when one has already been registered
2024-07-16 11:17:05.954673: E external/local_xla/xla/stream_executor/cuda/cuda_blas.cc:1515] Unable to register cuBLAS factory: Attempting to register factory for plugin cuBLAS when one has already been registered
2024-07-16 11:17:05.961459: I tensorflow/core/platform/cpu_feature_guard.cc:182] This TensorFlow binary is optimized to use available CPU instructions in performance-critical operations.
To enable the following instructions: AVX2 FMA, in other operations, rebuild TensorFlow with the appropriate compiler flags.
2024-07-16 11:17:06.767542: W tensorflow/compiler/tf2tensorrt/utils/py_utils.cc:38] TF-TRT Warning: Could not find TensorRT
2.15.0

Get an example dataset

To demonstrate how to save and load weights, you'll use the MNIST dataset. To speed up these runs, use the first 1000 examples:

In [5]:
(train_images, train_labels), (test_images, test_labels) = tf.keras.datasets.mnist.load_data()

train_labels = train_labels[:1000]
test_labels = test_labels[:1000]

train_images = train_images[:1000].reshape(-1, 28 * 28) / 255.0
test_images = test_images[:1000].reshape(-1, 28 * 28) / 255.0
Downloading data from https://storage.googleapis.com/tensorflow/tf-keras-datasets/mnist.npz
11490434/11490434 [==============================] - 2s 0us/step

Define a model

Start by building a simple sequential model:

In [6]:
# Define a simple sequential model
def create_model():
  model = tf.keras.Sequential([
    keras.layers.Dense(512, activation='relu', input_shape=(784,)),
    keras.layers.Dropout(0.2),
    keras.layers.Dense(10)
  ])

  model.compile(optimizer='adam',
                loss=tf.keras.losses.SparseCategoricalCrossentropy(from_logits=True),
                metrics=[tf.keras.metrics.SparseCategoricalAccuracy()])

  return model

# Create a basic model instance
model = create_model()

# Display the model's architecture
model.summary()
Model: "sequential"
_________________________________________________________________
 Layer (type)                Output Shape              Param #   
=================================================================
 dense (Dense)               (None, 512)               401920    
                                                                 
 dropout (Dropout)           (None, 512)               0         
                                                                 
 dense_1 (Dense)             (None, 10)                5130      
                                                                 
=================================================================
Total params: 407050 (1.55 MB)
Trainable params: 407050 (1.55 MB)
Non-trainable params: 0 (0.00 Byte)
_________________________________________________________________
2024-07-16 11:17:11.359730: I tensorflow/core/common_runtime/gpu/gpu_device.cc:1929] Created device /job:localhost/replica:0/task:0/device:GPU:0 with 10525 MB memory:  -> device: 0, name: NVIDIA GeForce GTX 1080 Ti, pci bus id: 0000:06:00.0, compute capability: 6.1
2024-07-16 11:17:11.360802: I tensorflow/core/common_runtime/gpu/gpu_device.cc:1929] Created device /job:localhost/replica:0/task:0/device:GPU:1 with 10525 MB memory:  -> device: 1, name: NVIDIA GeForce GTX 1080 Ti, pci bus id: 0000:07:00.0, compute capability: 6.1
2024-07-16 11:17:11.361835: I tensorflow/core/common_runtime/gpu/gpu_device.cc:1929] Created device /job:localhost/replica:0/task:0/device:GPU:2 with 10525 MB memory:  -> device: 2, name: NVIDIA GeForce GTX 1080 Ti, pci bus id: 0000:08:00.0, compute capability: 6.1
2024-07-16 11:17:11.362827: I tensorflow/core/common_runtime/gpu/gpu_device.cc:1929] Created device /job:localhost/replica:0/task:0/device:GPU:3 with 10525 MB memory:  -> device: 3, name: NVIDIA GeForce GTX 1080 Ti, pci bus id: 0000:0b:00.0, compute capability: 6.1

Save checkpoints during training

You can use a trained model without having to retrain it, or pick-up training where you left off in case the training process was interrupted. The tf.keras.callbacks.ModelCheckpoint callback allows you to continually save the model both during and at the end of training.

Checkpoint callback usage

Create a tf.keras.callbacks.ModelCheckpoint callback that saves weights only during training:

In [7]:
os.chdir(os.environ['HOME'])
os.getcwd()
Out[7]:
'/home/sciencedata'
In [8]:
checkpoint_path = "training_1/cp.ckpt"
checkpoint_dir = os.path.dirname(checkpoint_path)

# Create a callback that saves the model's weights
cp_callback = tf.keras.callbacks.ModelCheckpoint(filepath=checkpoint_path,
                                                 save_weights_only=True,
                                                 verbose=1)

# Train the model with the new callback
model.fit(train_images, 
          train_labels,  
          epochs=10,
          validation_data=(test_images, test_labels),
          callbacks=[cp_callback])  # Pass callback to training

# This may generate warnings related to saving the state of the optimizer.
# These warnings (and similar warnings throughout this notebook)
# are in place to discourage outdated usage, and can be ignored.
Epoch 1/10
2024-07-16 11:17:12.189627: I external/local_tsl/tsl/platform/default/subprocess.cc:304] Start cannot spawn child process: No such file or directory
2024-07-16 11:17:12.935265: I external/local_xla/xla/service/service.cc:168] XLA service 0x7fd52cd9f450 initialized for platform CUDA (this does not guarantee that XLA will be used). Devices:
2024-07-16 11:17:12.935301: I external/local_xla/xla/service/service.cc:176]   StreamExecutor device (0): NVIDIA GeForce GTX 1080 Ti, Compute Capability 6.1
2024-07-16 11:17:12.935308: I external/local_xla/xla/service/service.cc:176]   StreamExecutor device (1): NVIDIA GeForce GTX 1080 Ti, Compute Capability 6.1
2024-07-16 11:17:12.935313: I external/local_xla/xla/service/service.cc:176]   StreamExecutor device (2): NVIDIA GeForce GTX 1080 Ti, Compute Capability 6.1
2024-07-16 11:17:12.935318: I external/local_xla/xla/service/service.cc:176]   StreamExecutor device (3): NVIDIA GeForce GTX 1080 Ti, Compute Capability 6.1
2024-07-16 11:17:12.941387: I tensorflow/compiler/mlir/tensorflow/utils/dump_mlir_util.cc:269] disabling MLIR crash reproducer, set env var `MLIR_CRASH_REPRODUCER_DIRECTORY` to enable.
2024-07-16 11:17:12.965639: I external/local_xla/xla/stream_executor/cuda/cuda_dnn.cc:454] Loaded cuDNN version 8904
WARNING: All log messages before absl::InitializeLog() is called are written to STDERR
I0000 00:00:1721128633.068121   43102 device_compiler.h:186] Compiled cluster using XLA!  This line is logged at most once for the lifetime of the process.
25/32 [======================>.......] - ETA: 0s - loss: 1.2886 - sparse_categorical_accuracy: 0.6313
Epoch 1: saving model to training_1/cp.ckpt
32/32 [==============================] - 2s 20ms/step - loss: 1.1591 - sparse_categorical_accuracy: 0.6710 - val_loss: 0.7244 - val_sparse_categorical_accuracy: 0.7670
Epoch 2/10
29/32 [==========================>...] - ETA: 0s - loss: 0.4305 - sparse_categorical_accuracy: 0.8718
Epoch 2: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 8ms/step - loss: 0.4229 - sparse_categorical_accuracy: 0.8750 - val_loss: 0.5439 - val_sparse_categorical_accuracy: 0.8250
Epoch 3/10
30/32 [===========================>..] - ETA: 0s - loss: 0.2855 - sparse_categorical_accuracy: 0.9292
Epoch 3: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 9ms/step - loss: 0.2854 - sparse_categorical_accuracy: 0.9310 - val_loss: 0.4815 - val_sparse_categorical_accuracy: 0.8430
Epoch 4/10
26/32 [=======================>......] - ETA: 0s - loss: 0.2073 - sparse_categorical_accuracy: 0.9543
Epoch 4: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 9ms/step - loss: 0.2017 - sparse_categorical_accuracy: 0.9570 - val_loss: 0.4658 - val_sparse_categorical_accuracy: 0.8460
Epoch 5/10
27/32 [========================>.....] - ETA: 0s - loss: 0.1450 - sparse_categorical_accuracy: 0.9699
Epoch 5: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 9ms/step - loss: 0.1467 - sparse_categorical_accuracy: 0.9720 - val_loss: 0.4301 - val_sparse_categorical_accuracy: 0.8610
Epoch 6/10
27/32 [========================>.....] - ETA: 0s - loss: 0.1144 - sparse_categorical_accuracy: 0.9780
Epoch 6: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 10ms/step - loss: 0.1126 - sparse_categorical_accuracy: 0.9790 - val_loss: 0.4147 - val_sparse_categorical_accuracy: 0.8660
Epoch 7/10
25/32 [======================>.......] - ETA: 0s - loss: 0.0918 - sparse_categorical_accuracy: 0.9862
Epoch 7: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 10ms/step - loss: 0.0895 - sparse_categorical_accuracy: 0.9880 - val_loss: 0.4377 - val_sparse_categorical_accuracy: 0.8590
Epoch 8/10
24/32 [=====================>........] - ETA: 0s - loss: 0.0725 - sparse_categorical_accuracy: 0.9883
Epoch 8: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 10ms/step - loss: 0.0727 - sparse_categorical_accuracy: 0.9890 - val_loss: 0.4148 - val_sparse_categorical_accuracy: 0.8740
Epoch 9/10
27/32 [========================>.....] - ETA: 0s - loss: 0.0581 - sparse_categorical_accuracy: 0.9965
Epoch 9: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 10ms/step - loss: 0.0603 - sparse_categorical_accuracy: 0.9960 - val_loss: 0.4080 - val_sparse_categorical_accuracy: 0.8720
Epoch 10/10
26/32 [=======================>......] - ETA: 0s - loss: 0.0409 - sparse_categorical_accuracy: 0.9964
Epoch 10: saving model to training_1/cp.ckpt
32/32 [==============================] - 0s 9ms/step - loss: 0.0418 - sparse_categorical_accuracy: 0.9970 - val_loss: 0.4271 - val_sparse_categorical_accuracy: 0.8640
Out[8]:
<keras.src.callbacks.History at 0x7fd7c0132a70>

This creates a single collection of TensorFlow checkpoint files that are updated at the end of each epoch:

In [9]:
os.listdir(checkpoint_dir)
Out[9]:
['cp.ckpt.data-00000-of-00001', 'checkpoint', 'cp.ckpt.index']

As long as two models share the same architecture you can share weights between them. So, when restoring a model from weights-only, create a model with the same architecture as the original model and then set its weights.

Now rebuild a fresh, untrained model and evaluate it on the test set. An untrained model will perform at chance levels (~10% accuracy):

In [10]:
# Create a basic model instance
model = create_model()

# Evaluate the model
loss, acc = model.evaluate(test_images, test_labels, verbose=2)
print("Untrained model, accuracy: {:5.2f}%".format(100 * acc))
32/32 - 0s - loss: 2.3798 - sparse_categorical_accuracy: 0.0810 - 170ms/epoch - 5ms/step
Untrained model, accuracy:  8.10%

Then load the weights from the checkpoint and re-evaluate:

In [11]:
# Loads the weights
model.load_weights(checkpoint_path)

# Re-evaluate the model
loss, acc = model.evaluate(test_images, test_labels, verbose=2)
print("Restored model, accuracy: {:5.2f}%".format(100 * acc))
32/32 - 0s - loss: 0.4271 - sparse_categorical_accuracy: 0.8640 - 79ms/epoch - 2ms/step
Restored model, accuracy: 86.40%

Checkpoint callback options

The callback provides several options to provide unique names for checkpoints and adjust the checkpointing frequency.

Train a new model, and save uniquely named checkpoints once every five epochs:

In [12]:
# Include the epoch in the file name (uses `str.format`)
checkpoint_path = "training_2/cp-{epoch:04d}.ckpt"
checkpoint_dir = os.path.dirname(checkpoint_path)

batch_size = 32

# Calculate the number of batches per epoch
import math
n_batches = len(train_images) / batch_size
n_batches = math.ceil(n_batches)    # round up the number of batches to the nearest whole integer

# Create a callback that saves the model's weights every 5 epochs
cp_callback = tf.keras.callbacks.ModelCheckpoint(
    filepath=checkpoint_path, 
    verbose=1, 
    save_weights_only=True,
    save_freq=5*n_batches)

# Create a new model instance
model = create_model()

# Save the weights using the `checkpoint_path` format
model.save_weights(checkpoint_path.format(epoch=0))

# Train the model with the new callback
model.fit(train_images, 
          train_labels,
          epochs=50, 
          batch_size=batch_size, 
          callbacks=[cp_callback],
          validation_data=(test_images, test_labels),
          verbose=0)
Epoch 5: saving model to training_2/cp-0005.ckpt

Epoch 10: saving model to training_2/cp-0010.ckpt

Epoch 15: saving model to training_2/cp-0015.ckpt

Epoch 20: saving model to training_2/cp-0020.ckpt

Epoch 25: saving model to training_2/cp-0025.ckpt

Epoch 30: saving model to training_2/cp-0030.ckpt

Epoch 35: saving model to training_2/cp-0035.ckpt

Epoch 40: saving model to training_2/cp-0040.ckpt

Epoch 45: saving model to training_2/cp-0045.ckpt

Epoch 50: saving model to training_2/cp-0050.ckpt
Out[12]:
<keras.src.callbacks.History at 0x7fd7b810a230>

Now, review the resulting checkpoints and choose the latest one:

In [13]:
os.listdir(checkpoint_dir)
Out[13]:
['cp-0040.ckpt.data-00000-of-00001',
 'cp-0030.ckpt.data-00000-of-00001',
 'cp-0035.ckpt.data-00000-of-00001',
 'cp-0045.ckpt.index',
 'cp-0005.ckpt.data-00000-of-00001',
 'cp-0000.ckpt.index',
 'cp-0020.ckpt.index',
 'cp-0000.ckpt.data-00000-of-00001',
 'cp-0030.ckpt.index',
 'cp-0020.ckpt.data-00000-of-00001',
 'cp-0015.ckpt.index',
 'cp-0005.ckpt.index',
 'cp-0040.ckpt.index',
 'checkpoint',
 'cp-0035.ckpt.index',
 'cp-0050.ckpt.data-00000-of-00001',
 'cp-0045.ckpt.data-00000-of-00001',
 'cp-0015.ckpt.data-00000-of-00001',
 'cp-0025.ckpt.index',
 'cp-0025.ckpt.data-00000-of-00001',
 'cp-0010.ckpt.index',
 'cp-0010.ckpt.data-00000-of-00001',
 'cp-0050.ckpt.index']
In [14]:
latest = tf.train.latest_checkpoint(checkpoint_dir)
latest
Out[14]:
'training_2/cp-0050.ckpt'

Note: The default TensorFlow format only saves the 5 most recent checkpoints.

To test, reset the model, and load the latest checkpoint:

In [15]:
# Create a new model instance
model = create_model()

# Load the previously saved weights
model.load_weights(latest)

# Re-evaluate the model
loss, acc = model.evaluate(test_images, test_labels, verbose=2)
print("Restored model, accuracy: {:5.2f}%".format(100 * acc))
32/32 - 0s - loss: 0.4983 - sparse_categorical_accuracy: 0.8800 - 179ms/epoch - 6ms/step
Restored model, accuracy: 88.00%

What are these files?

The above code stores the weights to a collection of checkpoint-formatted files that contain only the trained weights in a binary format. Checkpoints contain:

  • One or more shards that contain your model's weights.
  • An index file that indicates which weights are stored in which shard.

If you are training a model on a single machine, you'll have one shard with the suffix: .data-00000-of-00001

Manually save weights

To save weights manually, use tf.keras.Model.save_weights. By default, tf.keras—and the Model.save_weights method in particular—uses the TensorFlow Checkpoint format with a .ckpt extension. To save in the HDF5 format with a .h5 extension, refer to the Save and load models guide.

In [16]:
# Save the weights
model.save_weights('./checkpoints/my_checkpoint')

# Create a new model instance
model = create_model()

# Restore the weights
model.load_weights('./checkpoints/my_checkpoint')

# Evaluate the model
loss, acc = model.evaluate(test_images, test_labels, verbose=2)
print("Restored model, accuracy: {:5.2f}%".format(100 * acc))
32/32 - 0s - loss: 0.4983 - sparse_categorical_accuracy: 0.8800 - 175ms/epoch - 5ms/step
Restored model, accuracy: 88.00%

Save the entire model

Call tf.keras.Model.save to save a model's architecture, weights, and training configuration in a single model.keras zip archive.

An entire model can be saved in three different file formats (the new .keras format and two legacy formats: SavedModel, and HDF5). Saving a model as path/to/model.keras automatically saves in the latest format.

Note: For Keras objects it's recommended to use the new high-level .keras format for richer, name-based saving and reloading, which is easier to debug. The low-level SavedModel format and legacy H5 format continue to be supported for existing code.

You can switch to the SavedModel format by:

  • Passing save_format='tf' to save()
  • Passing a filename without an extension

You can switch to the H5 format by:

  • Passing save_format='h5' to save()
  • Passing a filename that ends in .h5

Saving a fully-functional model is very useful—you can load them in TensorFlow.js (Saved Model, HDF5) and then train and run them in web browsers, or convert them to run on mobile devices using TensorFlow Lite (Saved Model, HDF5)

*Custom objects (for example, subclassed models or layers) require special attention when saving and loading. Refer to the Saving custom objects section below.

New high-level .keras format

The new Keras v3 saving format, marked by the .keras extension, is a more simple, efficient format that implements name-based saving, ensuring what you load is exactly what you saved, from Python's perspective. This makes debugging much easier, and it is the recommended format for Keras.

The section below illustrates how to save and restore the model in the .keras format.

In [17]:
# Create and train a new model instance.
model = create_model()
model.fit(train_images, train_labels, epochs=5)

# Save the entire model as a `.keras` zip archive.
model.save('my_model.keras')
Epoch 1/5
32/32 [==============================] - 1s 4ms/step - loss: 1.1668 - sparse_categorical_accuracy: 0.6560
Epoch 2/5
32/32 [==============================] - 0s 5ms/step - loss: 0.4264 - sparse_categorical_accuracy: 0.8800
Epoch 3/5
32/32 [==============================] - 0s 5ms/step - loss: 0.2822 - sparse_categorical_accuracy: 0.9320
Epoch 4/5
32/32 [==============================] - 0s 5ms/step - loss: 0.2090 - sparse_categorical_accuracy: 0.9570
Epoch 5/5
32/32 [==============================] - 0s 5ms/step - loss: 0.1446 - sparse_categorical_accuracy: 0.9690

Reload a fresh Keras model from the .keras zip archive:

In [18]:
new_model = tf.keras.models.load_model('my_model.keras')

# Show the model architecture
new_model.summary()
Model: "sequential_5"
_________________________________________________________________
 Layer (type)                Output Shape              Param #   
=================================================================
 dense_10 (Dense)            (None, 512)               401920    
                                                                 
 dropout_5 (Dropout)         (None, 512)               0         
                                                                 
 dense_11 (Dense)            (None, 10)                5130      
                                                                 
=================================================================
Total params: 407050 (1.55 MB)
Trainable params: 407050 (1.55 MB)
Non-trainable params: 0 (0.00 Byte)
_________________________________________________________________

Try running evaluate and predict with the loaded model:

In [19]:
# Evaluate the restored model
loss, acc = new_model.evaluate(test_images, test_labels, verbose=2)
print('Restored model, accuracy: {:5.2f}%'.format(100 * acc))

print(new_model.predict(test_images).shape)
32/32 - 0s - loss: 0.4194 - sparse_categorical_accuracy: 0.8670 - 176ms/epoch - 6ms/step
Restored model, accuracy: 86.70%
32/32 [==============================] - 0s 1ms/step
(1000, 10)

SavedModel format

The SavedModel format is another way to serialize models. Models saved in this format can be restored using tf.keras.models.load_model and are compatible with TensorFlow Serving. The SavedModel guide goes into detail about how to serve/inspect the SavedModel. The section below illustrates the steps to save and restore the model.

In [20]:
# Create and train a new model instance.
model = create_model()
model.fit(train_images, train_labels, epochs=5)

# Save the entire model as a SavedModel.
!mkdir -p saved_model
model.save('saved_model/my_model') 
Epoch 1/5
32/32 [==============================] - 1s 4ms/step - loss: 1.1370 - sparse_categorical_accuracy: 0.6990
Epoch 2/5
32/32 [==============================] - 0s 5ms/step - loss: 0.4122 - sparse_categorical_accuracy: 0.8860
Epoch 3/5
32/32 [==============================] - 0s 5ms/step - loss: 0.2750 - sparse_categorical_accuracy: 0.9300
Epoch 4/5
32/32 [==============================] - 0s 5ms/step - loss: 0.2017 - sparse_categorical_accuracy: 0.9540
Epoch 5/5
32/32 [==============================] - 0s 5ms/step - loss: 0.1586 - sparse_categorical_accuracy: 0.9730
INFO:tensorflow:Assets written to: saved_model/my_model/assets
INFO:tensorflow:Assets written to: saved_model/my_model/assets

The SavedModel format is a directory containing a protobuf binary and a TensorFlow checkpoint. Inspect the saved model directory:

In [21]:
# my_model directory
!ls saved_model

# Contains an assets folder, saved_model.pb, and variables folder.
!ls saved_model/my_model
my_model
assets	fingerprint.pb	keras_metadata.pb  saved_model.pb  variables

Reload a fresh Keras model from the saved model:

In [22]:
new_model = tf.keras.models.load_model('saved_model/my_model')

# Check its architecture
new_model.summary()
Model: "sequential_6"
_________________________________________________________________
 Layer (type)                Output Shape              Param #   
=================================================================
 dense_12 (Dense)            (None, 512)               401920    
                                                                 
 dropout_6 (Dropout)         (None, 512)               0         
                                                                 
 dense_13 (Dense)            (None, 10)                5130      
                                                                 
=================================================================
Total params: 407050 (1.55 MB)
Trainable params: 407050 (1.55 MB)
Non-trainable params: 0 (0.00 Byte)
_________________________________________________________________

The restored model is compiled with the same arguments as the original model. Try running evaluate and predict with the loaded model:

In [23]:
# Evaluate the restored model
loss, acc = new_model.evaluate(test_images, test_labels, verbose=2)
print('Restored model, accuracy: {:5.2f}%'.format(100 * acc))

print(new_model.predict(test_images).shape)
32/32 - 0s - loss: 0.4259 - sparse_categorical_accuracy: 0.8640 - 179ms/epoch - 6ms/step
Restored model, accuracy: 86.40%
32/32 [==============================] - 0s 2ms/step
(1000, 10)

HDF5 format

Keras provides a basic legacy high-level save format using the HDF5 standard.

In [24]:
# Create and train a new model instance.
model = create_model()
model.fit(train_images, train_labels, epochs=5)

# Save the entire model to a HDF5 file.
# The '.h5' extension indicates that the model should be saved to HDF5.
model.save('my_model.h5') 
Epoch 1/5
32/32 [==============================] - 1s 4ms/step - loss: 1.1360 - sparse_categorical_accuracy: 0.6750
Epoch 2/5
32/32 [==============================] - 0s 5ms/step - loss: 0.4056 - sparse_categorical_accuracy: 0.8940
Epoch 3/5
32/32 [==============================] - 0s 5ms/step - loss: 0.2766 - sparse_categorical_accuracy: 0.9330
Epoch 4/5
32/32 [==============================] - 0s 5ms/step - loss: 0.2038 - sparse_categorical_accuracy: 0.9460
Epoch 5/5
32/32 [==============================] - 0s 5ms/step - loss: 0.1549 - sparse_categorical_accuracy: 0.9680
/usr/local/lib/python3.10/dist-packages/keras/src/engine/training.py:3103: UserWarning: You are saving your model as an HDF5 file via `model.save()`. This file format is considered legacy. We recommend using instead the native Keras format, e.g. `model.save('my_model.keras')`.
  saving_api.save_model(

Now, recreate the model from that file:

In [25]:
# Recreate the exact same model, including its weights and the optimizer
new_model = tf.keras.models.load_model('my_model.h5')

# Show the model architecture
new_model.summary()
Model: "sequential_7"
_________________________________________________________________
 Layer (type)                Output Shape              Param #   
=================================================================
 dense_14 (Dense)            (None, 512)               401920    
                                                                 
 dropout_7 (Dropout)         (None, 512)               0         
                                                                 
 dense_15 (Dense)            (None, 10)                5130      
                                                                 
=================================================================
Total params: 407050 (1.55 MB)
Trainable params: 407050 (1.55 MB)
Non-trainable params: 0 (0.00 Byte)
_________________________________________________________________

Check its accuracy:

In [26]:
loss, acc = new_model.evaluate(test_images, test_labels, verbose=2)
print('Restored model, accuracy: {:5.2f}%'.format(100 * acc))
32/32 - 0s - loss: 0.4320 - sparse_categorical_accuracy: 0.8540 - 180ms/epoch - 6ms/step
Restored model, accuracy: 85.40%

Keras saves models by inspecting their architectures. This technique saves everything:

  • The weight values
  • The model's architecture
  • The model's training configuration (what you pass to the .compile() method)
  • The optimizer and its state, if any (this enables you to restart training where you left off)

Keras is not able to save the v1.x optimizers (from tf.compat.v1.train) since they aren't compatible with checkpoints. For v1.x optimizers, you need to re-compile the model after loading—losing the state of the optimizer.

Saving custom objects

If you are using the SavedModel format, you can skip this section. The key difference between high-level .keras/HDF5 formats and the low-level SavedModel format is that the .keras/HDF5 formats uses object configs to save the model architecture, while SavedModel saves the execution graph. Thus, SavedModels are able to save custom objects like subclassed models and custom layers without requiring the original code. However, debugging low-level SavedModels can be more difficult as a result, and we recommend using the high-level .keras format instead due to its name-based, Keras-native nature.

To save custom objects to .keras and HDF5, you must do the following:

  1. Define a get_config method in your object, and optionally a from_config classmethod.
    • get_config(self) returns a JSON-serializable dictionary of parameters needed to recreate the object.
    • from_config(cls, config) uses the returned config from get_config to create a new object. By default, this function will use the config as initialization kwargs (return cls(**config)).
  2. Pass the custom objects to the model in one of three ways:
    • Register the custom object with the @tf.keras.utils.register_keras_serializable decorator. (recommended)
    • Directly pass the object to the custom_objects argument when loading the model. The argument must be a dictionary mapping the string class name to the Python class. E.g., tf.keras.models.load_model(path, custom_objects={'CustomLayer': CustomLayer})
    • Use a tf.keras.utils.custom_object_scope with the object included in the custom_objects dictionary argument, and place a tf.keras.models.load_model(path) call within the scope.

Refer to the Writing layers and models from scratch tutorial for examples of custom objects and get_config.

Saving to ScienceData

If you're running this notebook on the ScienceData Kubernetes service, saving the full model to your ScienceData is probably a good idea: You can safely shut down the Jupyter pod you're running and later fire up a new pod and load the data. If you just save it locally, like above, the data will be gone with the pod.

Copy "my_model.h5" to the folder "tmp" in your ScienceData homedir (adjust the path as needed):

In [30]:
os.system("curl --insecure --upload my_model.h5 https://sciencedata/files/tmp/my_model.h5")
  % Total    % Received % Xferd  Average Speed   Time    Time     Time  Current
                                 Dload  Upload   Total   Spent    Left  Speed
100 4796k    0     0  100 4796k      0  11.9M --:--:-- --:--:-- --:--:-- 11.9M
Out[30]:
0

Copy back "my_model.h5" to "saved_my_model.h5" (adjust path as needed):

In [31]:
os.system("curl --insecure -o saved_my_model.h5 https://sciencedata/files/tmp/my_model.h5")
  % Total    % Received % Xferd  Average Speed   Time    Time     Time  Current
                                 Dload  Upload   Total   Spent    Left  Speed
100 4796k  100 4796k    0     0  16.3M      0 --:--:-- --:--:-- --:--:-- 16.3M
Out[31]:
0
In [36]:
os.system("diff -s my_model.h5 saved_my_model.h5")
Files my_model.h5 and saved_my_model.h5 are identical
Out[36]:
0
In [ ]: