Agregue un tensor de índice seleccionado a otro tensor con índices superpuestos en pytorch
 Jan 06 2021
Esta es una pregunta complementaria a esta pregunta . Quiero hacer exactamente lo mismo en pytorch. ¿Es posible hacer esto? Si es así, ¿cómo?
import torch
image = torch.tensor([[246,  50, 101], [116,   1, 113], [187, 110,  64]])
iy = torch.tensor([[1, 0, 2], [1, 0, 2], [2, 2, 2]])
ix = torch.tensor([[0, 2, 1], [1, 2, 0], [0, 1, 2]])
warped_image = torch.zeros(size=image.shape)
Necesito algo como torch.add.at(warped_image, (iy, ix), image)eso da la salida como
[[  0.   0.  51.]
 [246. 116.   0.]
 [300. 211.  64.]]
Tenga en cuenta que los índices en (0,1)y (1,1)apuntan a la misma ubicación (0,2). Entonces, quiero warped_image[0,2] = image[0,1] + image[1,1] = 51.
Respuestas
3  Ivan Jan 06 2021 at 01:23
Lo que está buscando es torch.Tensor.index_put_con el accumulateargumento establecido en True:
>>> warped_image = torch.zeros_like(image)
>>> warped_image.index_put_((iy, ix), image, accumulate=True)
tensor([[  0,   0,  51],
        [246, 116,   0],
        [300, 211,  64]])
O, usando la versión fuera de lugar torch.index_put:
>>> torch.index_put(torch.zeros_like(image), (iy, ix), image, accumulate=True)
tensor([[  0,   0,  51],
        [246, 116,   0],
        [300, 211,  64]])