单个矩阵的hstack的numpy版本
c=np.array([[[2,3,4],[4,5,6]],[[20,30,40],[40,50,60]]])
np.hstack(c)
输出:
array([[ 2, 3, 4, 20, 30, 40],
[ 4, 5, 6, 40, 50, 60]])
我希望在TF中实现相同的行为。
c_t=tf.constant(c)
tf.stack(c_t,axis=1).eval()
我遇到了错误
TypeError: Expected list for 'values' argument to 'pack' Op, not <tf.Tensor 'Const_14:0' shape=(2, 2, 3) dtype=int64>.
所以我尝试了
tf.stack([c_t],axis=1).eval()
输出
array([[[[ 2, 3, 4],
[ 4, 5, 6]]],
[[[20, 30, 40],
[40, 50, 60]]]])
我不是在寻找行为。 tf.reshape
和tf.concat
也没有帮助我。
答案 0 :(得分:2)
答案 1 :(得分:1)
使其工作的一种方法是首先将张量堆叠到列表中,然后在第一轴的列表中串联张量:
new_c = tf.concat(tf.unstack(c_t), axis=1)
sess.run(new_c)
array([[ 2, 3, 4, 20, 30, 40],
[ 4, 5, 6, 40, 50, 60]])
答案 2 :(得分:1)
如果您想在原子级别上手动进行操作,那么下面的方法同样适用。
In [132]: c=np.array([[[2,3,4],[4,5,6]],[[20,30,40],[40,50,60]]])
In [133]: tfc = tf.convert_to_tensor(c)
In [134]: slices = [tf.squeeze(tfc[:1, ...]), tf.squeeze(tfc[1:, ...])]
In [135]: stacked = tf.concat(slices, axis=1)
In [136]: stacked.eval()
Out[136]:
array([[ 2, 3, 4, 20, 30, 40],
[ 4, 5, 6, 40, 50, 60]])