How to check if two Torch tensors or matrices are equal?

前端 未结 5 1709
一向
一向 2021-02-04 23:50

I need a Torch command that checks if two tensors have the same content, and returns TRUE if they have the same content.

For example:

local tens_a = torc         


        
相关标签:
5条回答
  • 2021-02-05 00:20

    You can convert the two tensors to numpy arrays:

    local tens_a = torch.Tensor((9,8,7,6));
    local tens_b = torch.Tensor((9,8,7,6));
    
    a=tens_a.numpy()
    b=tens_b.numpy()
    

    and then something like

    np.sum(a==b)
    4
    

    would give you a fairly good idea of how equals are they.

    0 讨论(0)
  • 2021-02-05 00:23

    https://github.com/torch/torch7/blob/master/doc/maths.md#torcheqa-b

    torch.eq(a, b)
    

    Implements == operator comparing each element in a with b (if b is a number) or each element in a with corresponding element in b.

    UPDATE

    from @deltheil

    torch.all(torch.eq(tens_a, tens_b))
    

    or even simpler

    torch.all(tens_a.eq(tens_b))
    
    0 讨论(0)
  • 2021-02-05 00:28

    This below solution worked for me:

    torch.equal(tensorA, tensorB)
    

    From the documentation:

    True if two tensors have the same size and elements, False otherwise.

    0 讨论(0)
  • 2021-02-05 00:30

    To compare tensors you can do element wise:

    torch.eq is element wise:

    torch.eq(torch.tensor([[1., 2.], [3., 4.]]), torch.tensor([[1., 1.], [4., 4.]]))
    tensor([[True, False], [False, True]])
    

    Or torch.equal for the whole tensor exactly:

    torch.equal(torch.tensor([[1., 2.], [3, 4.]]), torch.tensor([[1., 1.], [4., 4.]]))
    # False
    torch.equal(torch.tensor([[1., 2.], [3., 4.]]), torch.tensor([[1., 2.], [3., 4.]]))
    # True
    

    But then you may be lost because at some point there are small differences you would like to ignore. For instance floats 1.0 and 1.0000000001 are pretty close and you may consider these are equal. For that kind of comparison you have torch.allclose.

    torch.allclose(torch.tensor([[1., 2.], [3., 4.]]), torch.tensor([[1., 2.000000001], [3., 4.]]))
    # True
    

    At some point may be important to check element wise how many elements are equal, comparing to the full number of elements. If you have two tensors dt1 and dt2 you get number of elements of dt1 as dt1.nelement()

    And with this formula you get the percentage:

    print(torch.sum(torch.eq(dt1, dt2)).item()/dt1.nelement())
    
    0 讨论(0)
  • 2021-02-05 00:32

    Try this if you want to ignore small precision differences which are common for floats

    torch.all(torch.lt(torch.abs(torch.add(tens_a, -tens_b)), 1e-12))
    
    0 讨论(0)
提交回复
热议问题