Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

IndexError: invalid index of a 0-dim tensor. Use tensor.item() to convert a 0-dim tensor to a Python number

def nms(bboxes,scores,threshold=0.5):
    '''
    bboxes(tensor) [N,4]
    scores(tensor) [N,]
    '''
    x1 = bboxes[:,0]
    y1 = bboxes[:,1]
    x2 = bboxes[:,2]
    y2 = bboxes[:,3]
    areas = (x2-x1) * (y2-y1)

    _,order = scores.sort(0,descending=True)
    keep = []
    while order.numel() > 0:
        i = order[0]
        keep.append(i)

        if order.numel() == 1:
            break

        xx1 = x1[order[1:]].clamp(min=x1[i])
        yy1 = y1[order[1:]].clamp(min=y1[i])
        xx2 = x2[order[1:]].clamp(max=x2[i])
        yy2 = y2[order[1:]].clamp(max=y2[i])

        w = (xx2-xx1).clamp(min=0)
        h = (yy2-yy1).clamp(min=0)
        inter = w*h

        ovr = inter / (areas[i] + areas[order[1:]] - inter)
        ids = (ovr<=threshold).nonzero().squeeze()
        if ids.numel() == 0:
            break
        order = order[ids+1]
    return torch.LongTensor(keep)

I tried

i=order.item()

But it does not work

like image 925
user11610609 Avatar asked Jun 06 '19 18:06

user11610609


3 Answers

I was trying to run a standard Convolutional Neural Network(LeNet) on MNIST using PyTorch. I was getting this error

IndexError                                Traceback (most recent call last

 79         y = net.forward(train_x, dropout_value)
 80         loss = net.loss(y,train_y,l2_regularization)
 81         loss_train = loss.data[0]
 82         loss_train += loss_val.data

 IndexError: invalid index of a 0-dim tensor. Use tensor.item() to convert a 
 0-dim tensor to a Python number

Changing

loss_train = loss.data[0]

To

loss_train = loss.data

fixed the problem.

like image 50
Mir Junaid Avatar answered Nov 20 '22 00:11

Mir Junaid


I found the solution in the github issues here

Try to change

i = order[0] # works for PyTorch 0.4.1.

to

i = order # works for PyTorch>=0.5.
like image 41
palash Avatar answered Nov 20 '22 01:11

palash


You should change the loop body as:

while order.numel() > 0:
        if order.numel() == 1:
            break
        i = order[0]
        keep.append(i)

The code i = order[0] gives error when there is only one element left in order.

like image 2
PATEL PARTH Avatar answered Nov 19 '22 23:11

PATEL PARTH