有没有办法重塑张量并用零填充任何溢出?我知道ndarray.reshape会这样做,但据我所知,将Tensor转换为ndarray需要在GPU和CPU之间进行翻转。
Tensorflow的reshape()文档说TensorShapes需要具有相同数量的元素,所以最好的方法可能是pad()然后重塑()?
我正在努力实现:
TTapEvent = procedure(Sender: TObject; const Point: TPointF) of object;
答案 0 :(得分:13)
据我所知,没有内置运算符执行此操作(如果形状不匹配,tf.reshape()
会给出错误)。但是,您可以通过几个不同的运算符实现相同的结果:
a = tf.constant([[1, 2], [3, 4]])
# Reshape `a` as a vector. -1 means "set this dimension automatically".
a_as_vector = tf.reshape(a, [-1])
# Create another vector containing zeroes to pad `a` to (2 * 3) elements.
zero_padding = tf.zeros([2 * 3] - tf.shape(a_as_vector), dtype=a.dtype)
# Concatenate `a_as_vector` with the padding.
a_padded = tf.concat([a_as_vector, zero_padding], 0)
# Reshape the padded vector to the desired shape.
result = tf.reshape(a_padded, [2, 3])
答案 1 :(得分:12)
Tensorflow现在提供pad函数,它以多种方式在张量上执行填充(如opencv2的数组填充函数): https://www.tensorflow.org/api_docs/python/tf/pad
tf.pad(tensor, paddings, mode='CONSTANT', name=None)
以上文档中的示例:
# 't' is [[1, 2, 3], [4, 5, 6]].
# 'paddings' is [[1, 1,], [2, 2]].
# rank of 't' is 2.
pad(t, paddings, "CONSTANT") ==> [[0, 0, 0, 0, 0, 0, 0],
[0, 0, 1, 2, 3, 0, 0],
[0, 0, 4, 5, 6, 0, 0],
[0, 0, 0, 0, 0, 0, 0]]
pad(t, paddings, "REFLECT") ==> [[6, 5, 4, 5, 6, 5, 4],
[3, 2, 1, 2, 3, 2, 1],
[6, 5, 4, 5, 6, 5, 4],
[3, 2, 1, 2, 3, 2, 1]]
pad(t, paddings, "SYMMETRIC") ==> [[2, 1, 1, 2, 3, 3, 2],
[2, 1, 1, 2, 3, 3, 2],
[5, 4, 4, 5, 6, 6, 5],
[5, 4, 4, 5, 6, 6, 5]]