1

我在张量流教程之一中运行示例时遇到问题。该教程说要运行我只需要输入python fully_connected_feed.py. 当我这样做时,它会通过获取输入数据,但随后失败,如下所示:

Extracting data/train-images-idx3-ubyte.gz
Extracting data/train-labels-idx1-ubyte.gz
Extracting data/t10k-images-idx3-ubyte.gz
Extracting data/t10k-labels-idx1-ubyte.gz
Traceback (most recent call last):
  File "fully_connected_feed.py", line 225, in <module>
    tf.app.run()
  File "/Users/me/anaconda/lib/python2.7/site-packages/tensorflow/python/platform/default/_app.py", line 11, in run
    sys.exit(main(sys.argv))
  File "fully_connected_feed.py", line 221, in main
    run_training()
  File "fully_connected_feed.py", line 141, in run_training
    loss = mnist.loss(logits, labels_placeholder)
  File "/Users/me/tftmp/mnist.py", line 96, in loss
    indices = tf.expand_dims(tf.range(batch_size), 1)
TypeError: range() takes at least 2 arguments (1 given)

认为这个错误是因为会话设置和/或张量评估存在一些问题。这是 mnist.py 中导致问题的函数:

def loss(logits, labels):
  """Calculates the loss from the logits and the labels.

  Args:
    logits: Logits tensor, float - [batch_size, NUM_CLASSES].
    labels: Labels tensor, int32 - [batch_size].

  Returns:
    loss: Loss tensor of type float.
  """
  # Convert from sparse integer labels in the range [0, NUM_CLASSSES)
  # to 1-hot dense float vectors (that is we will have batch_size vectors,
  # each with NUM_CLASSES values, all of which are 0.0 except there will
  # be a 1.0 in the entry corresponding to the label).
  batch_size = tf.size(labels)
  labels = tf.expand_dims(labels, 1)
  indices = tf.expand_dims(tf.range(batch_size), 1)
  concated = tf.concat(1, [indices, labels])
  onehot_labels = tf.sparse_to_dense(
      concated, tf.pack([batch_size, NUM_CLASSES]), 1.0, 0.0)
  cross_entropy = tf.nn.softmax_cross_entropy_with_logits(logits, onehot_labels,
                                                          name='xentropy')
  loss = tf.reduce_mean(cross_entropy, name='xentropy_mean')
  return loss

如果我将loss函数中的所有代码放在一个with tf.Session():块内,它就会克服这个错误。但是,我稍后会收到有关未初始化变量的其他错误,因此我猜测会话设置或初始化或其他方面出现了重大问题。作为张量流的新手,我有点不知所措。有任何想法吗?

[注意:我根本没有编辑代码,只是从 tensorflow 教程中下载并尝试按照说明运行,使用python fully_connected_feed.py]

4

3 回答 3

6

出现此问题是因为在 GitHub 上最新版本的 TensorFlow 源代码中,tf.range()更新range()为更宽松的参数(以前它需要两个参数;现在它与 Python 的内置函数具有相同的语义),并且fully_connected_feed.py示例具有已更新以利用这一点。

但是,如果您尝试针对 TensorFlow 的二进制发行版运行此版本,则会收到此错误,因为更改tf.range()尚未合并到二进制包中。

最简单的解决方案是下载旧版本的mnist.py. 或者,您可以从源代码构建以使用最新版本的教程。

于 2015-11-13T16:21:23.983 回答
1

您可以像这样对结果修复 mnist 代码:

indices = tf.expand_dims(tf.range(0,batch_size),1)
于 2015-11-16T18:13:12.157 回答
0

TypeError: range() takes at least 2 arguments (1 given)

这就是错误。

查看tensorflow 文档中的 range,我们可以看到它range的函数签名为start, limit, delta=1, name='range'. 这意味着函数调用至少需要两个参数。您的示例仅显示提供的一个参数。

可以在文档中找到一个示例:

# 'start' is 3
# 'limit' is 18
# 'delta' is 3
tf.range(start, limit, delta) ==> [3, 6, 9, 12, 15]
于 2015-11-13T15:46:32.487 回答