So basically, my question is the same as Concatenating empty array in Numpy but for Tensorflow.
Mainly, the motivation is to handle the initial array in a prettier way that using a if statement. My current pseudo-code is:
JavaScript
x
7
1
E = None
2
for a in A:
3
if E is None:
4
E = a
5
else:
6
E = tf.concat([E, a], axis=0)
7
This technique works but I would like to make it a prettier way and maybe using only tf.Tensor
. This is a code of a custom layer so I am interested in a code that works inside a model.
I would like a solution closer to the accepted response initializing E as: E = np.array([], dtype=np.int64).reshape(0,5)
.
This question gets close enough but when I init E as:
JavaScript
1
3
1
E = tf.zeros([a.shape[0], a.shape[1], 0])
2
3
I get an empty tensor as a result with only the correct shape but not filled.
Advertisement
Answer
In TF2, you can simply port the numpy solution with TensorFlow functions:
JavaScript
1
9
1
>>> xs = tf.constant([[1,2,3,4,5],[10,20,30,40,50]])
2
>>> ys = tf.reshape(tf.constant([], dtype=tf.int32),(0,5))
3
>>> ys
4
<tf.Tensor: shape=(0, 5), dtype=int32, numpy=array([], shape=(0, 5), dtype=int32)>
5
>>> tf.concat([ys,xs], axis=0)
6
<tf.Tensor: shape=(2, 5), dtype=int32, numpy=
7
array([[ 1, 2, 3, 4, 5],
8
[10, 20, 30, 40, 50]], dtype=int32)>
9