如何将参数传递给Tensorflow中tf.cond内的函数?

时间:2016-08-01 10:56:03

标签: python if-statement tensorflow

我有以下简单的占位符:

x = tf.placeholder(tf.float32, shape=[1])
y = tf.placeholder(tf.float32, shape=[1])
z = tf.placeholder(tf.float32, shape=[1])

有两个函数f1f2定义为:

def fn1(a, b): 
    return tf.mul(a, b)
def fn2(a, b): 
    return tf.add(a, b)

现在我想基于pred条件计算结果:

pred = tf.placeholder(tf.bool, shape=[1])
result = tf.cond(pred, f1(x,y), f2(y,z))

但它给我一个错误fn1 and fn2 must be callable

如何编写fn1fn2以便它们可以在运行时接收参数? 我想打电话给以下人员:

sess.run(result, feed_dict={x:1,y:2,z:3,pred:True})

2 个答案:

答案 0 :(得分:15)

您可以使用 lambda 将参数传递给函数,代码如下所示。

x = tf.placeholder(tf.float32)
y = tf.placeholder(tf.float32)
z = tf.placeholder(tf.float32)

def fn1(a, b):
  return tf.mul(a, b)

def fn2(a, b):
  return tf.add(a, b)

pred = tf.placeholder(tf.bool)
result = tf.cond(pred, lambda: fn1(x, y), lambda: fn2(y, z))

然后你可以称之为:

with tf.Session() as sess:
  print sess.run(result, feed_dict={x: 1, y: 2, z: 3, pred: True})
  # The result is 2.0

答案 1 :(得分:3)

最简单的方法是在通话中定义您的功能:

result = tf.cond(pred, lambda: tf.mul(a, b), lambda: tf.add(a, b))