Back to Top

プログラムの覚書

Category: Linux

CentOS7 Node.jsのインストール

Node.jsをインストールする方法

ソースからコンパイルするのは面倒なので、

リポジトリの追加

rpm -Uvh https://rpm.nodesource.com/pub_4.x/el/7/x86_64/nodesource-release-el7-1.noarch.rpm

Node.jsのインストール

yum install nodejs

インストール確認

node -v

 

Node動作テスト

まず以下のコードをファイルとして保存します。(app.jsとして保存)

var http = require('http');
http.createServer(function (req, res) {
  res.writeHead(200, {'Content-Type': 'text/plain'});
  res.end('Hello World\n');
}).listen(1200, "127.0.0.1");
console.log('Server running at http://127.0.0.1:1200/');

ターミナルにてapp.jsを起動

node app.js

任意のブラウザを立ち上げて「http://localhost:1200/」にアクセスすると、「Hello World」と表示されることが確認できます。

 

Posted in CentOS7x | Leave a reply

TensorFlow 手書きの数字を認識する

TensorFlowで手書きの数字を認識するチュートリアルを試す。

チュートリアル

数字を認識するチュートリアル

TensorFlowのチュートリアルに関係するソースをダウンロード

git clone --recurse-submodules https://github.com/tensorflow/tensorflow

 

動作テスト

チュートリアルに書いてあるコードをコピーして保存する

mnist.py

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_sum(y_*tf.log(y))

train_step = tf.train.GradientDescentOptimizer(0.01).minimize(cross_entropy)

init = tf.initialize_all_variables()

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}))

端末にて実行

$ python mnist.py
Extracting MNIST_data/train-images-idx3-ubyte.gz
Extracting MNIST_data/train-labels-idx1-ubyte.gz
Extracting MNIST_data/t10k-images-idx3-ubyte.gz
Extracting MNIST_data/t10k-labels-idx1-ubyte.gz
0.9162
$

 

Posted in Ubuntu | Leave a reply