Skip to content Skip to sidebar Skip to footer

Select Different Modes By String In Tensorflow

I am trying to build a VAE network in which I want the model to do different things in different modes. I have three modes: 'train', 'same' and 'different' and a function named int

Solution 1:

First approach: You can select a different mode by using native Tensorflow switch-case. For example, I assume you have three cases, then you can do:

import tensorflow as tf

mode = tf.placeholder(tf.string, shape=[], name="mode")


def cond1():
    return tf.constant('same')


def cond2():
    return tf.constant('train')


def cond3():
    return tf.constant('diff')


def cond4():
    return tf.constant('default')


y = tf.case({tf.equal(mode, 'same'): cond1,
             tf.equal(mode, 'train'): cond2,
             tf.equal(mode, 'diff'): cond3},
            default=cond4, exclusive=True)

with tf.Session() as sess:
    sess.run(tf.global_variables_initializer())
    print(sess.run(y, feed_dict={mode: "train"}))
    print(sess.run(y, feed_dict={mode: "same"}))

Second approach: here is another way to do this with new AutoGraph API:

import tensorflow as tf
from tensorflow.contrib import autograph as ag

m = tf.placeholder(dtype=tf.string, name='mode')


definterpolation(mode):
    if mode == "train":
        return'I am train'elif mode == "same":
        return'I am same'else:
        return'I am different'


cond_func = ag.to_graph(interpolation)(m)
with tf.Session() as sess:
    print(sess.run(cond_func, feed_dict={m: 'same'}))

Post a Comment for "Select Different Modes By String In Tensorflow"