cnn卷积神经网络数字识别
时间: 2024-01-21 15:04:29 浏览: 85
CNN卷积神经网络的数字识别.rar_MNIST_cnn 数字识别_卷积神经_卷积神经网络_卷积网络实现数字识别
以下是使用Tensorflow实现的CNN卷积神经网络手写数字识别的示例代码:
```python
import tensorflow as tf
from tensorflow.keras.datasets import mnist
# 加载MNIST数据集
(x_train, y_train), (x_test, y_test) = mnist.load_data()
# 数据预处理
x_train = x_train.reshape(-1, 28, 28, 1) / 255.0
x_test = x_test.reshape(-1, 28, 28, 1) / 255.0
y_train = tf.keras.utils.to_categorical(y_train, num_classes=10)
y_test = tf.keras.utils.to_categorical(y_test, num_classes=10)
# 构建模型
model = tf.keras.Sequential([
tf.keras.layers.Conv2D(filters=32, kernel_size=(3, 3), activation='relu', input_shape=(28, 28, 1)),
tf.keras.layers.MaxPooling2D(pool_size=(2, 2)),
tf.keras.layers.Flatten(),
tf.keras.layers.Dense(units=128, activation='relu'),
tf.keras.layers.Dense(units=10, activation='softmax')
])
# 编译模型
model.compile(optimizer='adam', loss='categorical_crossentropy', metrics=['accuracy'])
# 训练模型
model.fit(x_train, y_train, batch_size=128, epochs=5, validation_data=(x_test, y_test))
# 评估模型
loss, accuracy = model.evaluate(x_test, y_test)
print("Test Loss:", loss)
print("Test Accuracy:", accuracy)
```
这段代码使用了MNIST数据集,将28×28像素的灰度手写数字图片识别为相应的数字。首先加载数据集并进行预处理,然后构建了一个包含卷积层、池化层、全连接层和输出层的卷积神经网络模型。接着编译模型并训练模型,最后评估模型的性能。
阅读全文