Tensorflow框架搭建教程

参考地址Tensorflow中文社区网

机器环境:MacOS

开发工具:pyCharm

 

下载Tensorflow(需要提前安装python开发环境,本人使用python2.7版本安装

pip2 install https://storage.googleapis.com/tensorflow/mac/tensorflow-0.5.0-py2-none-any.whl

打开pyCharm并创建定一个python项目,项目名称为 “tensorflow-test”,接下来就是导入tensorflow架包了,

打开pyCharm->Preferences->Project:tensorflow-test->Project Interpreter,然后选择你安装的python,(注意需要选择上“In herit golbal site-packages”,选择上会将pip安装的架包导入你的项目中),如下图所属:

点击OK后,可以看到tensorflow已经导入到你的项目中,如下图:

接下来开始第一个tensorflow应用程序(自动识别手写数字项目),直接摘抄Tensorflow中文社区网上的案例下来,创建test2.py文件,代码如下:

import tensorflow as tf
import input_data #导入样本数据
mnist = input_data.read_data_sets("Mnist_data/", one_hot = True)

#占位符对象
x = tf.placeholder("float", [None, 784])

#创建W与b两个变量,
W = tf.Variable(tf.zeros([784, 10]))
b = tf.Variable(tf.zeros([10]))

#调用tensorflow封装好的softmax回归算法模型
y = tf.nn.softmax(tf.matmul(x,W) + b)
y_ = tf.placeholder("float", [None, 10])

cross_entropy = -tf.reduce_sum(y_*tf.log(y))

tran_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(tran_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,"float"))
print sess.run(accuracy, feed_dict={x: mnist.test.images, y_: mnist.test.labels})

打印识别率结果:

Running /Users/peng/workspace/python/tensorflow-test/test2.py
import sys; print('Python %s on %s' % (sys.version, sys.platform))
sys.path.extend(['/Users/peng/workspace/python/tensorflow-test'])
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
can't determine number of CPU cores: assuming 4
I tensorflow/core/common_runtime/local_device.cc:25] Local device intra op parallelism threads: 4
can't determine number of CPU cores: assuming 4
I tensorflow/core/common_runtime/local_session.cc:45] Local session inter op parallelism threads: 4
0.9121
PyDev console: starting.
Python 2.7.14 (default, Jan  6 2018, 12:16:16) 

识别率为0.9121,也就是91%

 

input_data.py用于下载测试数据,代码如下:

# Copyright 2015 Google Inc. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
#     http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# ==============================================================================
"""Functions for downloading and reading MNIST data."""
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
import gzip
import os
import tensorflow.python.platform
import numpy
from six.moves import urllib
from six.moves import xrange  # pylint: disable=redefined-builtin
import tensorflow as tf
SOURCE_URL = 'http://yann.lecun.com/exdb/mnist/'
def maybe_download(filename, work_directory):
  """Download the data from Yann's website, unless it's already here."""
  if not os.path.exists(work_directory):
    os.mkdir(work_directory)
  filepath = os.path.join(work_directory, filename)
  if not os.path.exists(filepath):
    filepath, _ = urllib.request.urlretrieve(SOURCE_URL + filename, filepath)
    statinfo = os.stat(filepath)
    print('Successfully downloaded', filename, statinfo.st_size, 'bytes.')
  return filepath
def _read32(bytestream):
  dt = numpy.dtype(numpy.uint32).newbyteorder('>')
  return numpy.frombuffer(bytestream.read(4), dtype=dt)[0]
def extract_images(filename):
  """Extract the images into a 4D uint8 numpy array [index, y, x, depth]."""
  print('Extracting', filename)
  with gzip.open(filename) as bytestream:
    magic = _read32(bytestream)
    if magic != 2051:
      raise ValueError(
          'Invalid magic number %d in MNIST image file: %s' %
          (magic, filename))
    num_images = _read32(bytestream)
    rows = _read32(bytestream)
    cols = _read32(bytestream)
    buf = bytestream.read(rows * cols * num_images)
    data = numpy.frombuffer(buf, dtype=numpy.uint8)
    data = data.reshape(num_images, rows, cols, 1)
    return data
def dense_to_one_hot(labels_dense, num_classes=10):
  """Convert class labels from scalars to one-hot vectors."""
  num_labels = labels_dense.shape[0]
  index_offset = numpy.arange(num_labels) * num_classes
  labels_one_hot = numpy.zeros((num_labels, num_classes))
  labels_one_hot.flat[index_offset + labels_dense.ravel()] = 1
  return labels_one_hot
def extract_labels(filename, one_hot=False):
  """Extract the labels into a 1D uint8 numpy array [index]."""
  print('Extracting', filename)
  with gzip.open(filename) as bytestream:
    magic = _read32(bytestream)
    if magic != 2049:
      raise ValueError(
          'Invalid magic number %d in MNIST label file: %s' %
          (magic, filename))
    num_items = _read32(bytestream)
    buf = bytestream.read(num_items)
    labels = numpy.frombuffer(buf, dtype=numpy.uint8)
    if one_hot:
      return dense_to_one_hot(labels)
    return labels
class DataSet(object):
  def __init__(self, images, labels, fake_data=False, one_hot=False,
               dtype=tf.float32):
    """Construct a DataSet.
    one_hot arg is used only if fake_data is true.  `dtype` can be either
    `uint8` to leave the input as `[0, 255]`, or `float32` to rescale into
    `[0, 1]`.
    """
    dtype = tf.as_dtype(dtype).base_dtype
    if dtype not in (tf.uint8, tf.float32):
      raise TypeError('Invalid image dtype %r, expected uint8 or float32' %
                      dtype)
    if fake_data:
      self._num_examples = 10000
      self.one_hot = one_hot
    else:
      assert images.shape[0] == labels.shape[0], (
          'images.shape: %s labels.shape: %s' % (images.shape,
                                                 labels.shape))
      self._num_examples = images.shape[0]
      # Convert shape from [num examples, rows, columns, depth]
      # to [num examples, rows*columns] (assuming depth == 1)
      assert images.shape[3] == 1
      images = images.reshape(images.shape[0],
                              images.shape[1] * images.shape[2])
      if dtype == tf.float32:
        # Convert from [0, 255] -> [0.0, 1.0].
        images = images.astype(numpy.float32)
        images = numpy.multiply(images, 1.0 / 255.0)
    self._images = images
    self._labels = labels
    self._epochs_completed = 0
    self._index_in_epoch = 0
  @property
  def images(self):
    return self._images
  @property
  def labels(self):
    return self._labels
  @property
  def num_examples(self):
    return self._num_examples
  @property
  def epochs_completed(self):
    return self._epochs_completed
  def next_batch(self, batch_size, fake_data=False):
    """Return the next `batch_size` examples from this data set."""
    if fake_data:
      fake_image = [1] * 784
      if self.one_hot:
        fake_label = [1] + [0] * 9
      else:
        fake_label = 0
      return [fake_image for _ in xrange(batch_size)], [
          fake_label for _ in xrange(batch_size)]
    start = self._index_in_epoch
    self._index_in_epoch += batch_size
    if self._index_in_epoch > self._num_examples:
      # Finished epoch
      self._epochs_completed += 1
      # Shuffle the data
      perm = numpy.arange(self._num_examples)
      numpy.random.shuffle(perm)
      self._images = self._images[perm]
      self._labels = self._labels[perm]
      # Start next epoch
      start = 0
      self._index_in_epoch = batch_size
      assert batch_size <= self._num_examples
    end = self._index_in_epoch
    return self._images[start:end], self._labels[start:end]
def read_data_sets(train_dir, fake_data=False, one_hot=False, dtype=tf.float32):
  class DataSets(object):
    pass
  data_sets = DataSets()
  if fake_data:
    def fake():
      return DataSet([], [], fake_data=True, one_hot=one_hot, dtype=dtype)
    data_sets.train = fake()
    data_sets.validation = fake()
    data_sets.test = fake()
    return data_sets
  TRAIN_IMAGES = 'train-images-idx3-ubyte.gz'
  TRAIN_LABELS = 'train-labels-idx1-ubyte.gz'
  TEST_IMAGES = 't10k-images-idx3-ubyte.gz'
  TEST_LABELS = 't10k-labels-idx1-ubyte.gz'
  VALIDATION_SIZE = 5000
  local_file = maybe_download(TRAIN_IMAGES, train_dir)
  train_images = extract_images(local_file)
  local_file = maybe_download(TRAIN_LABELS, train_dir)
  train_labels = extract_labels(local_file, one_hot=one_hot)
  local_file = maybe_download(TEST_IMAGES, train_dir)
  test_images = extract_images(local_file)
  local_file = maybe_download(TEST_LABELS, train_dir)
  test_labels = extract_labels(local_file, one_hot=one_hot)
  validation_images = train_images[:VALIDATION_SIZE]
  validation_labels = train_labels[:VALIDATION_SIZE]
  train_images = train_images[VALIDATION_SIZE:]
  train_labels = train_labels[VALIDATION_SIZE:]
  data_sets.train = DataSet(train_images, train_labels, dtype=dtype)
  data_sets.validation = DataSet(validation_images, validation_labels,
                                 dtype=dtype)
  data_sets.test = DataSet(test_images, test_labels, dtype=dtype)
  return data_sets

 

通过python pip命令查询tensorflow的安装目录:

终端输入:pip2 show tensorflow,如下所示:

localhost:~ peng$ pip2 show tensorflow
Name: tensorflow
Version: 0.5.0
Summary: TensorFlow helps the tensors flow
Home-page: http://tensorflow.com/
Author: Google Inc.
Author-email: opensource@google.com
License: Apache 2.0
Location: /usr/local/lib/python2.7/site-packages
Requires: numpy, six
You are using pip version 9.0.1, however version 19.0.3 is available.
You should consider upgrading via the 'pip install --upgrade pip' command.
localhost:~ peng$ 

 

 

  • 0
    点赞
  • 5
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
### 回答1: TensorFlow是一款由Google团队开发的开源机器学习框架,具有以下特点: 1. 语言支持广泛:TensorFlow支持多种编程语言,包括Python、C++、Java等,可以方便地在不同的平台上使用。 2. 强大的计算能力:TensorFlow使用数据流图的方式表示计算模型,可以利用计算图优化计算过程,同时支持分布式计算,可以在多个GPU和CPU上并行运行。 3. 灵活的模型构建:TensorFlow提供了各种API和工具,可以快速构建各种类型的模型,包括神经网络、决策树、支持向量机等。 4. 简单易用的高级接口:TensorFlow还提供了一些高级接口,如Keras,可以方便地构建常用的深度学习模型,简化了模型的搭建过程。 5. 完善的社区支持:TensorFlow拥有庞大的社区支持,有大量的开源代码和教程可供使用和学习,方便用户进行交流和学习。 ### 回答2: TensorFlow是一款开源的机器学习框架,拥有以下几个特点: 1. 建模灵活:TensorFlow提供了丰富的运算和模型构建工具,用户可以根据自己的需求和想法,灵活地构建深度学习模型。它支持各种神经网络架构,包括卷积神经网络、循环神经网络等。 2. 高效计算:TensorFlow使用了静态图的计算方式,在图构建时进行计算计算图的优化,再进行运行,从而提高计算效率。同时,TensorFlow还支持GPU加速,可以利用GPU的并行计算能力来加速模型的训练和预测。 3. 分布式处理:TensorFlow支持分布式计算,可以将模型和数据分割到多个计算节点上进行训练和推理,从而提高计算性能。这对于大规模的数据集和复杂的模型非常有用。 4. 高度可扩展:TensorFlow的设计理念强调模块化和可扩展性,用户可以根据自己的需求,灵活地选择和扩展功能模块。此外,TensorFlow还有一个丰富的生态系统,可以通过添加各种插件和扩展来满足不同应用领域的需求。 5. 跨平台支持:TensorFlow支持多种操作系统和硬件平台,包括Windows、Linux、macOS等,同时也可在移动设备和云平台上运行。这使得TensorFlow能够满足各种应用场景下的需求。 综上所述,TensorFlow具有建模灵活、高效计算、分布式处理、高度可扩展和跨平台支持等特点,使得它成为机器学习领域中非常受欢迎的框架之一。 ### 回答3: TensorFlow是一个开源的机器学习框架,具有以下几个特点: 1. 高度灵活:TensorFlow提供的图计算模型使得用户能够以高度灵活的方式构建各种不同类型的机器学习模型。用户可以通过定义各种各样的计算图,从而实现各种复杂的任务。 2. 跨平台性:TensorFlow支持在不同平台上运行,包括在个人电脑上、移动设备上以及云服务器上。这使得用户可以在不同环境下轻松地部署和运行TensorFlow模型。 3. 分布式计算:TensorFlow具备在多台设备上进行分布式计算的能力,这使得用户能够更高效地训练和部署机器学习模型。用户可以将计算任务划分到多个设备上并行处理,从而提高模型的训练和预测速度。 4. 可视化工具:TensorFlow提供了丰富的可视化工具,使得用户可以直观地了解模型的运行情况。用户可以通过TensorBoard等工具查看模型训练过程中的指标变化、图结构和计算流程等信息,从而更好地理解和优化模型。 5. 缓存性:TensorFlow使用了动态计算图的机制,在计算过程中可以自动对计算图进行优化和缓存,从而提高计算效率。这种特点使得TensorFlow对于长时间运行的任务具有较好的性能表现。 总的来说,TensorFlow作为一个高度灵活、跨平台、分布式计算的机器学习框架,提供了丰富的工具和功能,能够帮助用户更轻松、高效地构建、训练和部署各种复杂的机器学习模型。

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值