如何使用fn_map将数组C中的每一行映射到数组B中对应的行



由于我使用TensorFlow,我想知道如何将我的行从张量C映射到矩阵B中相应行的索引。

这是我写的代码:


B= tf.constant([[ 0.,  5.,  2.],[ 0.,  0.,  0.], [ 0.,  0.,  3.],[1.,5.,6.],[2.,5.,7.]])
def embeding_to_index(a_vector):
    return np.where(np.all(a_vector==B,axis=1))[0].tolist()[0]

c = tf.constant([[0.,  0.,  3.],[2.,5.,7.]])
arr =  tf.map_fn(fn=embeding_to_index,elems=c)

我的预期结果是得到一个张量[24],其中2表示张量B行中向量[0.,0.,3.]的索引,4表示张量B的行中向量[2.,5.,7.]的索引。

我得到以下错误:

---------------------------------------------------------------------------
AxisError                                 Traceback (most recent call last)
<ipython-input-8-de82c21bac35> in <module>
     79 
     80 arr=tf.map_fn(fn=embeding_to_index,  # input & output have different dtypes
---> 81                     elems=c)
     82 # arr =  tf.vectorized_map(fn=embeding_to_index_,elems=U)
~.condaenvstestlibsite-packagestensorflowpythonopsmap_fn.py in map_fn(fn, elems, dtype, parallel_iterations, back_prop, swap_memory, infer_shape, name)
    266         back_prop=back_prop,
    267         swap_memory=swap_memory,
--> 268         maximum_iterations=n)
    269     results_flat = [r.stack() for r in r_a]
    270 
...
AxisError: axis 1 is out of bounds for array of dimension 0

如何使用TensorFlow库解决此问题?TensorFlow中有fn_map方法的替代方法吗?

您不必使用tf.map_fn。也许可以试试这样的东西:

import tensorflow as tf
B = tf.constant([[ 0., 5., 2.], [ 0., 0., 0.], [ 0., 0., 3.],[1.,5.,6.], [2.,5.,7.]])
c = tf.constant([[0., 0., 3.], [2.,5.,7.]])
c_shape = tf.shape(c)
b_shape = tf.shape(B)
c = tf.reshape(tf.tile(c, [1, b_shape[0]]), [c_shape[0], b_shape[0], c_shape[1]])
z = tf.where(tf.reduce_all(tf.equal(B, c), -1))
z = tf.stack([z[i, 1] for i in tf.range(tf.shape(z)[0])], axis=0)
print(z)
tf.Tensor([2 4], shape=(2,), dtype=int64)

使用:

c = tf.constant([[0., 0., 3.], [2.,5.,7.],[2.,5.,7.],[2.,5.,7.],[2.,5.,7.],[2.,5.,7.],[2.,5.,7.],[2.,5.,7.]])

你得到:

tf.Tensor([2 4 4 4 4 4 4 4], shape=(8,), dtype=int64)

更新1:如果您想使用z中的索引来获得B中的相应值,那么只需执行以下操作:

z, _ = tf.unique(z)
print(tf.gather(B, z))
tf.Tensor(
[[2. 5. 7.]
 [0. 0. 3.]], shape=(2, 3), dtype=float32)

最新更新