Model persistence means saving a trained model so you can use it later without retraining. This helps you deploy the model to make predictions anytime.
0
0
Why model persistence enables deployment in TensorFlow
Introduction
You want to share your trained model with others without retraining.
You need to use the model in a web or mobile app to make predictions.
You want to save time by not training the model every time you run your program.
You want to keep a backup of your model after training.
You want to deploy the model on a server for real-time predictions.
Syntax
TensorFlow
model.save('path_to_save_model') # To load the model later from tensorflow import keras model = keras.models.load_model('path_to_save_model')
Use model.save() to save the entire model including architecture, weights, and optimizer state.
Use keras.models.load_model() to load the saved model for prediction or further training.
Examples
Saves the model in a folder named 'my_model'.
TensorFlow
model.save('my_model')Loads the saved model from the 'my_model' folder.
TensorFlow
loaded_model = keras.models.load_model('my_model')Saves the model in HDF5 file format named 'model.h5'.
TensorFlow
model.save('model.h5')Loads the model from the HDF5 file.
TensorFlow
loaded_model = keras.models.load_model('model.h5')Sample Model
This program trains a simple neural network on random data, saves the model, loads it back, and makes a prediction with the loaded model.
TensorFlow
import tensorflow as tf from tensorflow import keras import numpy as np # Create a simple model model = keras.Sequential([ keras.layers.Dense(10, activation='relu', input_shape=(5,)), keras.layers.Dense(1, activation='sigmoid') ]) model.compile(optimizer='adam', loss='binary_crossentropy', metrics=['accuracy']) # Generate some random data x_train = np.random.random((100, 5)) y_train = np.random.randint(2, size=(100, 1)) # Train the model model.fit(x_train, y_train, epochs=2, verbose=0) # Save the model model.save('saved_model') # Load the model loaded_model = keras.models.load_model('saved_model') # Make a prediction with the loaded model sample_input = np.random.random((1, 5)) prediction = loaded_model.predict(sample_input) print(f"Prediction: {prediction[0][0]:.4f}")
OutputSuccess
Important Notes
Always save your model after training to avoid losing your work.
Loading a saved model lets you use it anywhere without retraining.
Model persistence is key for deploying models in real applications.
Summary
Model persistence means saving and loading trained models.
It helps you deploy models without retraining every time.
Use model.save() and keras.models.load_model() to save and load models.