我在numpy中有以下示例:
import numpy as np
import tensorflow as tf
a = np.array([[1, 2, 3],
[4, 5, 6],
[7, 8, 9],
[10, 11 , 12],
[13, 14, 15]])
res = np.zeros((5, 2), dtype=object)
for idx in range(0, len(a)-2, 2):
a0 = a[idx]
a1 = a[idx + 1]
a2 = a[idx + 2]
c = a0 + a1 + a2
res[idx:idx + 2] = ([idx, c])
res
array([[0, array([12, 15, 18])],
[0, array([12, 15, 18])],
[2, array([30, 33, 36])],
[2, array([30, 33, 36])],
[0, 0]], dtype=object)
我想在张量流中做到这一点
a_tf = tf.convert_to_tensor(a)
res_tf = tf.zeros((5, 2), dtype=object)
for idx in range(0, a.shape[0]-2, 2):
a0 = tf.gather_nd(a, [idx])
a1 = tf.gather_nd(a, [idx + 1])
a2 = tf.gather_nd(a, [idx + 2])
c = a0 + a1 + a2
res = tf.gather_nd([idx, c], [idx:idx +2])
直到计算出c
的行是可以的。
最后一行(res
)给我:
res = tf.gather_nd([idx, c], [idx:idx +2])
^
SyntaxError: invalid syntax
我不确定如何接收结果。
更新
基本上,问题在于[idx, c]
属于列表类型并尝试执行以下操作:tf.convert_to_tensor([idx, c]
给出了:
InvalidArgumentError: Shapes of all inputs must match: values[0].shape = [] != values[1].shape = [3] [Op:Pack] name: packed/
答案 0 :(得分:0)
res = tf.gather_nd([idx,c],[idx:idx +2])
在语法上不正确。如果要提取索引,则应为
res = tf.gather_nd([idx, c], range(idx, idx +2))
后者可能还会引发错误。 range(idx, idx +2)
中的索引高于列表[idx, c]
中的索引。
此外,除非使用res
,否则无法创建形状为ragged tensors
的张量。这是您尝试执行的操作的可能解决方法
a_tf = tf.convert_to_tensor(a)
res_tf = tf.zeros((5, 2), dtype=object)
l = []
for idx in range(0, a.shape[0]-2, 2):
a0 = tf.gather_nd(a, [idx])
a1 = tf.gather_nd(a, [idx + 1])
a2 = tf.gather_nd(a, [idx + 2])
c = a0 + a1 + a2
helper = [idx]
helper.extend(c.numpy().tolist())
l.append(helper)
print(tf.constant(l))