最近在学习 tensorflow MNIST 程序时遇到了 tf.control_dependencies() ,具体为:
......
variables_averages_op = variable_averages.apply(tf.trainable_variables())
......
train_step = tf.train.GradientDescentOptimizer(learning_rate).minimize(loss, global_step=global_step)
with tf.control_dependencies([train_step, variables_averages_op]):
train_op = tf.no_op(name='train')
有人说:
with g.control_dependencies([a, b, c]):
d = ...
事实上,a,b,c 不会按 [*] 里的顺序执行。下面看一些实验。
import tensorflow as tf
a = tf.Variable(1.0)
c = tf.assign(a, 2.0)
d = tf.assign(a, 3.0)
with tf.control_dependencies([c, d]):
op = tf.assign_add(a, 6.0)
with tf.Session() as sess:
tf.global_variables_initializer().run()
print(sess.run(op))
实验结果:
- c --> d && [c, d] ==> op == 9.0,说明 a 取值为 3,d 后执行
- c --> d && [d, c] ==> op == 9.0,说明 a 取值为 3,d 后执行
- d --> c && [c, d] ==> op == 8.0,说明 a 取值为 2,c 后执行
- d --> c && [d, c] ==> op == 8.0,说明 a 取值为 2,c 后执行
=>结论1:[c, d] 或 [d, c] 顺序没有影响, 实际执行顺序是由 (c --> d) || (d --> c) 决定
- c --> d && [c] ==> op == 8.0
- c --> d && [d] ==> op == 9.0
=>结论2:只执行了 [*] 中的操作, 不在其中的不会执行
如有错误,请指正
|