在 TensorFlow.org 上查看 | 在 Google Colab 中运行 | 在 GitHub 上查看源代码 | 下载笔记本 | 查看 TF Hub 模型 |
概述
TensorFlow Lite 现在支持在模型从 TensorFlow 图定义转换为 TensorFlow Lite 的扁平缓冲区格式的过程中将权重转换为 8 位精度。动态范围量化可将模型大小减少 4 倍。此外,TFLite 支持动态量化和反量化激活,以允许
- 在可用时使用量化内核进行更快的实现。
- 将浮点内核与量化内核混合使用,用于图的不同部分。
激活始终以浮点形式存储。对于支持量化内核的运算,在处理之前会将激活动态量化为 8 位精度,并在处理后反量化为浮点精度。根据转换的模型,这比纯浮点计算可以提高速度。
与 量化感知训练 相比,此方法在训练后对权重进行量化,并在推理时动态地对激活进行量化。因此,不会重新训练模型权重以补偿量化引起的误差。重要的是要检查量化模型的准确性,以确保降级是可以接受的。
本教程从头开始训练 MNIST 模型,检查其在 TensorFlow 中的准确性,然后将模型转换为具有动态范围量化的 Tensorflow Lite 扁平缓冲区。最后,它检查转换后的模型的准确性,并将其与原始浮点模型进行比较。
构建 MNIST 模型
设置
import logging
logging.getLogger("tensorflow").setLevel(logging.DEBUG)
import tensorflow as tf
from tensorflow import keras
import numpy as np
import pathlib
训练 TensorFlow 模型
# Load MNIST dataset
mnist = keras.datasets.mnist
(train_images, train_labels), (test_images, test_labels) = mnist.load_data()
# Normalize the input image so that each pixel value is between 0 to 1.
train_images = train_images / 255.0
test_images = test_images / 255.0
# Define the model architecture
model = keras.Sequential([
keras.layers.InputLayer(input_shape=(28, 28)),
keras.layers.Reshape(target_shape=(28, 28, 1)),
keras.layers.Conv2D(filters=12, kernel_size=(3, 3), activation=tf.nn.relu),
keras.layers.MaxPooling2D(pool_size=(2, 2)),
keras.layers.Flatten(),
keras.layers.Dense(10)
])
# Train the digit classification model
model.compile(optimizer='adam',
loss=keras.losses.SparseCategoricalCrossentropy(from_logits=True),
metrics=['accuracy'])
model.fit(
train_images,
train_labels,
epochs=1,
validation_data=(test_images, test_labels)
)
对于本示例,由于您只训练了模型一个 epoch,因此它只训练到大约 96% 的准确率。
转换为 TensorFlow Lite 模型
使用 TensorFlow Lite 转换器,您现在可以将训练后的模型转换为 TensorFlow Lite 模型。
现在使用 TFLiteConverter
加载模型
converter = tf.lite.TFLiteConverter.from_keras_model(model)
tflite_model = converter.convert()
将其写入 tflite 文件
tflite_models_dir = pathlib.Path("/tmp/mnist_tflite_models/")
tflite_models_dir.mkdir(exist_ok=True, parents=True)
tflite_model_file = tflite_models_dir/"mnist_model.tflite"
tflite_model_file.write_bytes(tflite_model)
要在导出时量化模型,请将 optimizations
标志设置为优化大小
converter.optimizations = [tf.lite.Optimize.DEFAULT]
tflite_quant_model = converter.convert()
tflite_model_quant_file = tflite_models_dir/"mnist_model_quant.tflite"
tflite_model_quant_file.write_bytes(tflite_quant_model)
请注意,生成的 文件大小大约是 1/4
。
ls -lh {tflite_models_dir}
运行 TFLite 模型
使用 Python TensorFlow Lite 解释器运行 TensorFlow Lite 模型。
将模型加载到解释器中
interpreter = tf.lite.Interpreter(model_path=str(tflite_model_file))
interpreter.allocate_tensors()
interpreter_quant = tf.lite.Interpreter(model_path=str(tflite_model_quant_file))
interpreter_quant.allocate_tensors()
在一张图像上测试模型
test_image = np.expand_dims(test_images[0], axis=0).astype(np.float32)
input_index = interpreter.get_input_details()[0]["index"]
output_index = interpreter.get_output_details()[0]["index"]
interpreter.set_tensor(input_index, test_image)
interpreter.invoke()
predictions = interpreter.get_tensor(output_index)
import matplotlib.pylab as plt
plt.imshow(test_images[0])
template = "True:{true}, predicted:{predict}"
_ = plt.title(template.format(true= str(test_labels[0]),
predict=str(np.argmax(predictions[0]))))
plt.grid(False)
评估模型
# A helper function to evaluate the TF Lite model using "test" dataset.
def evaluate_model(interpreter):
input_index = interpreter.get_input_details()[0]["index"]
output_index = interpreter.get_output_details()[0]["index"]
# Run predictions on every image in the "test" dataset.
prediction_digits = []
for test_image in test_images:
# Pre-processing: add batch dimension and convert to float32 to match with
# the model's input data format.
test_image = np.expand_dims(test_image, axis=0).astype(np.float32)
interpreter.set_tensor(input_index, test_image)
# Run inference.
interpreter.invoke()
# Post-processing: remove batch dimension and find the digit with highest
# probability.
output = interpreter.tensor(output_index)
digit = np.argmax(output()[0])
prediction_digits.append(digit)
# Compare prediction results with ground truth labels to calculate accuracy.
accurate_count = 0
for index in range(len(prediction_digits)):
if prediction_digits[index] == test_labels[index]:
accurate_count += 1
accuracy = accurate_count * 1.0 / len(prediction_digits)
return accuracy
print(evaluate_model(interpreter))
在动态范围量化模型上重复评估,以获得
print(evaluate_model(interpreter_quant))
在本示例中,压缩模型的准确率没有差异。
优化现有模型
具有预激活层的 Resnet(Resnet-v2)广泛用于视觉应用。Resnet-v2-101 的预训练冻结图可在 Tensorflow Hub 上获得。
您可以通过以下方法将冻结图转换为具有量化的 TensorFlow Lite flatbuffer:
import tensorflow_hub as hub
resnet_v2_101 = tf.keras.Sequential([
keras.layers.InputLayer(input_shape=(224, 224, 3)),
hub.KerasLayer("https://tfhub.dev/google/imagenet/resnet_v2_101/classification/4")
])
converter = tf.lite.TFLiteConverter.from_keras_model(resnet_v2_101)
# Convert to TF Lite without quantization
resnet_tflite_file = tflite_models_dir/"resnet_v2_101.tflite"
resnet_tflite_file.write_bytes(converter.convert())
# Convert to TF Lite with quantization
converter.optimizations = [tf.lite.Optimize.DEFAULT]
resnet_quantized_tflite_file = tflite_models_dir/"resnet_v2_101_quantized.tflite"
resnet_quantized_tflite_file.write_bytes(converter.convert())
ls -lh {tflite_models_dir}/*.tflite
模型大小从 171 MB 减少到 43 MB。可以使用为 TFLite 准确性测量 提供的脚本评估此模型在 ImageNet 上的准确性。
优化后的模型 top-1 准确率为 76.8,与浮点模型相同。