How do I get all the values from a NumPy array excluding a certain index?

前端 未结 5 2073
情书的邮戳
情书的邮戳 2020-12-05 02:14

I have a NumPy array, and I want to retrieve all the elements except a certain index. For example, consider the following array

a = [0,1,2,3,4,5,5,6,7,8,9]
<         


        
5条回答
  •  粉色の甜心
    2020-12-05 02:30

    Like resizing, removing elements from an NumPy array is a slow operation (especially for large arrays since it requires allocating space and copying all the data from the original array to the new array). It should be avoided if possible.

    Often you can avoid it by working with a masked array instead. For example, consider the array a:

    import numpy as np
    
    a = np.array([0,1,2,3,4,5,5,6,7,8,9])
    print(a)
    print(a.sum())
    # [0 1 2 3 4 5 5 6 7 8 9]
    # 50
    

    We can mask its value at index 3 and can perform a summation which ignores masked elements:

    a = np.ma.array(a, mask=False)
    a.mask[3] = True
    print(a)
    print(a.sum())
    # [0 1 2 -- 4 5 5 6 7 8 9]
    # 47
    

    Masked arrays also support many operations besides sum.

    If you really need to, it is also possible to remove masked elements using the compressed method:

    print(a.compressed())
    # [0 1 2 4 5 5 6 7 8 9]
    

    But as mentioned above, avoid it if possible.

提交回复
热议问题