教程中的 RNN 示例代码"Variable weights already exists"



我想从 https://www.tensorflow.org/api_docs/python/tf/contrib/rnn/static_rnn 重新实现RNN步进循环但它对我不起作用。当重用设置为 True 时,我得到"变量测试/basic_lstm_cell/权重已经存在"和"变量测试/basic_lstm_cell/权重不存在"。

import tensorflow as tf
batch_size = 32
n_steps = 10
lstm_size = 10
n_input = 17
words = tf.placeholder(tf.float32, [batch_size, n_steps, n_input])
words = tf.transpose(words, [1, 0, 2])
words = tf.reshape(words, [-1, n_input])
words = tf.split(words, n_steps, 0)
with tf.variable_scope('test', reuse=True):
    cell = tf.contrib.rnn.BasicLSTMCell(lstm_size)
    state = cell.zero_state(batch_size, dtype=tf.float32)
    outputs = []
    for input_ in words:
        output, state = cell(input_, state)
        outputs.append(output)

查看您尝试重新实现的函数的来源。重要的一点是,重用标志不是在循环的第一次迭代中设置的,而是在所有其他迭代中设置的。因此,在您的情况下,一个包含带有该范围的标志常量的循环的作用域将不起作用,您必须执行类似操作

with tf.variable_scope('test') as scope:
    cell = tf.contrib.rnn.BasicLSTMCell(lstm_size)
    state = cell.zero_state(batch_size, dtype=tf.float32)
    outputs = []
    for step, input_ in enumerate(words):
        if step > 0:
            scope.reuse_variables()
        output, state = cell(input_, state)
        outputs.append(output)

最新更新