ソースコード
MNIST For ML Beginnerでのソースコードです。
MNISTの概要を知りたい場合は以下の記事を参照してください
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 |
from tensorflow.examples.tutorials.mnist import input_data mnist = input_data.read_data_sets("MNIST_data/", one_hot=True) import tensorflow as tf 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) init = tf.global_variables_initializer() sess = tf.Session() sess.run(init) 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})) |
ソースコードの詳細
準備作業
1 2 |
from tensorflow.examples.tutorials.mnist import input_data mnist = input_data.read_data_sets("MNIST_data/", one_hot=True) |
1 |
import tensorflow as tf |
1 2 3 |
x = tf.placeholder(tf.float32, [None, 784]) W = tf.Variable(tf.zeros([784, 10])) b = tf.Variable(tf.zeros([10])) |
x:入力データ (1文字を表す画像データ 高さ(28)×幅(28)の784byte分)
w::重み (1文字を表す画像データ 高さ(28)×幅(28)の784byte分)。初期値を0に設定しています。
b:バイアス(0~9までに相当する10byte分)。初期値を0に設定しています。
1 |
y = tf.nn.softmax(tf.matmul(x, W) + b) |
計算方法は入力データ(x)に重み(w)を掛け合わせ、バイアス(b)を足したものをソフトマックス関数(softmax)に入力した結果としています。
1 |
y_ = tf.placeholder(tf.float32, [None, 10]) |
正解データのラベル用の配列を取得しています。
y_:正解データ(0~9までに相当する10byte分)。初期値を0に設定しています。
1 2 |
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) |
勾配硬化法を用い交差エントロピーが最小となるようを最適化する定義をしています。
1 |
init = tf.global_variables_initializer() |
用意した変数Veriableの初期化を実行します。
教師あり学習
1 2 |
sess = tf.Session() sess.run(init) |
1 2 3 |
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}) |
next_batch(100)で100つのランダムな訓練セット(画像と対応するラベル)を選択しています。
評価の実行
1 |
correct_prediction = tf.equal(tf.argmax(y,1), tf.argmax(y_,1)) |
# 正解であればTrueが返却されます。
1 |
accuracy = tf.reduce_mean(tf.cast(correct_prediction, tf.float32)) |
1 |
print(sess.run(accuracy, feed_dict={x: mnist.test.images, y_: mnist.test.labels})) |
1 |
0.9176 |