目前我正在查看 cifar10 example 并且我注意到文件 cifar10.py 中的函数 _variable_with_weight_decay(...) 。代码如下:
def _variable_with_weight_decay(name, shape, stddev, wd):
"""Helper to create an initialized Variable with weight decay.
Note that the Variable is initialized with a truncated normal distribution.
A weight decay is added only if one is specified.
Args:
name: name of the variable
shape: list of ints
stddev: standard deviation of a truncated Gaussian
wd: add L2Loss weight decay multiplied by this float. If None, weight
decay is not added for this Variable.
Returns:
Variable Tensor
"""
dtype = tf.float16 if FLAGS.use_fp16 else tf.float32
var = _variable_on_cpu(
name,
shape,
tf.truncated_normal_initializer(stddev=stddev, dtype=dtype))
if wd is not None:
weight_decay = tf.mul(tf.nn.l2_loss(var), wd, name='weight_loss')
tf.add_to_collection('losses', weight_decay)
return var
我想知道这个函数是否按照它说的做。很明显,当给定权重衰减因子(wd 不是 None)时,计算衰减值(weight_decay)。但它是每一个应用吗?最后,未修改的变量 (var) 返回,还是我遗漏了什么?
第二个问题是如何解决这个问题?据我了解,必须从权重矩阵中的每个元素中减去标量 weight_decay 的值,但我无法找到可以做到这一点的 tensorflow 操作(从张量的每个元素中添加/减去单个值)。有这样的op吗?
作为一种解决方法,我认为可以创建一个使用 weight_decay 值初始化的新张量并使用 tf.subtract(...) 来实现相同的结果。或者这是正确的方法吗?
提前致谢。
最佳答案
代码做它所说的。您应该对 'losses'
集合中的所有内容(权重衰减项添加到倒数第二行)中的所有内容求和,以获取传递给优化器的损失。在该示例中的 loss()
函数中:
tf.add_to_collection('losses', cross_entropy_mean)
[...]
return tf.add_n(tf.get_collection('losses'), name='total_loss')
所以
loss()
函数返回的是分类损失加上之前 'losses'
集合中的所有内容。附带说明一下,作为更新步骤的一部分,权重衰减并不意味着您从张量中的每个值中减去
wd
的值,而是将值乘以 (1-learning_rate*wd)
(在普通 SGD 中)。要了解为什么会这样,请回想一下 l2_loss 计算output = sum(t_i ** 2) / 2
t_i
是张量的元素。这意味着 l2_loss
相对于每个张量元素的导数是该张量元素本身的值,并且由于您使用 l2_loss
缩放了 wd
,因此导数也被缩放。由于更新步骤(再次,在普通 SGD 中)是(请原谅我省略了时间步索引)
w := w - learning_rate * dL/dw
你得到,如果你只有权重衰减项
w := w - learning_rate * wd * w
或者
w := w * (1 - learning_rate * wd)
关于python - Tensorflow:_variable_with_weight_decay(...) 解释,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41714801/