如何使用另一个数组的元素作为索引来切片张量流中的张量?

时间:2019-08-08 16:32:47

标签: python tensorflow

我正在寻找与tf.unsorted_segment_sum类似的函数,但我不想对这些段求和,我希望将每个段作为张量。

因此,例如,我有以下代码: (实际上,我的张量的形状为(10000,63),段数为2500)

    to_be_sliced = tf.constant([[0.1, 0.2, 0.3, 0.4, 0.5],
                            [0.3, 0.2, 0.2, 0.6, 0.3],
                            [0.9, 0.8, 0.7, 0.6, 0.5],
                            [2.0, 2.0, 2.0, 2.0, 2.0]])

indices = tf.constant([0, 2, 0, 1])
num_segments = 3
tf.unsorted_segment_sum(to_be_sliced, indices, num_segments)

输出将在此处

array([sum(row1+row3), row4, row2]

我要寻找的是3个具有不同形状的张量(也许是张量的列表),第一张包含原始的第一行和第三行((2,5)的形状),第二张包含第四行(形状(1,5))中的第三行包含第二行,如下所示:

[array([[0.1, 0.2, 0.3, 0.4, 0.5],
        [0.9, 0.8, 0.7, 0.6, 0.5]]),
 array([[2.0, 2.0, 2.0, 2.0, 2.0]]),
 array([[0.3, 0.2, 0.2, 0.6, 0.3]])]

谢谢!

2 个答案:

答案 0 :(得分:0)

对于您的情况,可以在Tensorflow中进行Numpy切片。这样就可以了:

sliced_1 = to_be_sliced[:3, :]
# [[0.4 0.5 0.5 0.7 0.8]
#  [0.3 0.2 0.2 0.6 0.3]
#  [0.3 0.2 0.2 0.6 0.3]]
sliced_2 = to_be_sliced[3, :]
# [0.3 0.2 0.2 0.6 0.3]

或更一般的选择,您可以通过以下方式进行操作:

to_be_sliced = tf.constant([[0.1, 0.2, 0.3, 0.4, 0.5],
                        [0.3, 0.2, 0.2, 0.6, 0.3],
                        [0.9, 0.8, 0.7, 0.6, 0.5],
                        [2.0, 2.0, 2.0, 2.0, 2.0]])

first_tensor = tf.gather_nd(to_be_sliced, [[0], [2]])
second_tensor = tf.gather_nd(to_be_sliced, [[3]])
third_tensor = tf.gather_nd(to_be_sliced, [[1]])

concat = tf.concat([first_tensor, second_tensor, third_tensor], axis=0)

答案 1 :(得分:0)

您可以这样做:

import tensorflow as tf

to_be_sliced = tf.constant([[0.1, 0.2, 0.3, 0.4, 0.5],
                            [0.3, 0.2, 0.2, 0.6, 0.3],
                            [0.9, 0.8, 0.7, 0.6, 0.5],
                            [2.0, 2.0, 2.0, 2.0, 2.0]])
indices = tf.constant([0, 2, 0, 1])
num_segments = 3
result = [tf.boolean_mask(to_be_sliced, tf.equal(indices, i)) for i in range(num_segments)]
with tf.Session() as sess:
    print(*sess.run(result), sep='\n')

输出:

[[0.1 0.2 0.3 0.4 0.5]
 [0.9 0.8 0.7 0.6 0.5]]
[[2. 2. 2. 2. 2.]]
[[0.3 0.2 0.2 0.6 0.3]]