用tensorflow写一个对mnist数据集进行分类的程序
时间: 2023-05-11 20:01:54 浏览: 121
好的,以下是一个使用 TensorFlow 对 MNIST 数据集进行分类的程序:
```python
import tensorflow as tf
from tensorflow.examples.tutorials.mnist import input_data
# 加载 MNIST 数据集
mnist = input_data.read_data_sets("MNIST_data/", one_hot=True)
# 创建输入占位符
x = tf.placeholder(tf.float32, [None, 784])
# 创建权重和偏置变量
W = tf.Variable(tf.zeros([784, 10]))
b = tf.Variable(tf.zeros([10]))
# 创建模型
y = tf.nn.softmax(tf.matmul(x, W) + b)
# 创建损失函数
y_ = tf.placeholder(tf.float32, [None, 10])
cross_entropy = tf.reduce_mean(-tf.reduce_sum(y_ * tf.log(y), reduction_indices=[1]))
# 创建优化器
train_step = tf.train.GradientDescentOptimizer(0.5).minimize(cross_entropy)
# 创建会话并初始化变量
sess = tf.InteractiveSession()
tf.global_variables_initializer().run()
# 训练模型
for i in range(1000):
batch_xs, batch_ys = mnist.train.next_batch(100)
sess.run(train_step, feed_dict={x: batch_xs, y_: batch_ys})
# 测试模型
correct_prediction = tf.equal(tf.argmax(y,1), tf.argmax(y_,1))
accuracy = tf.reduce_mean(tf.cast(correct_prediction, tf.float32))
print(sess.run(accuracy, feed_dict={x: mnist.test.images, y_: mnist.test.labels}))
```
这个程序使用了 TensorFlow 的高级 API,可以在几十行代码内实现 MNIST 分类。
阅读全文