我正在使用 numpy 并且有一个包含一些值的数组(ndarray 类型)。此阵列的形状为 1000x1500。我重新塑造了它
brr = np.reshape(arr, arr.shape[0]*arr.shape[1])
当我尝试
brr.reverse()
AttributeError: ‘numpy.ndarray’ object has no attribute ‘reverse’
得到错误。我如何对这个数组进行排序?
如果您只想反转它:
brr[:] = brr[::-1]
实际上,这会沿轴 0 反转。如果数组有多个轴,您也可以在任何其他轴上反转。
要以相反的顺序排序:
>>> arr = np.random.random((1000,1500))
>>> brr = np.reshape(arr, arr.shape[0]*arr.shape[1])
>>> brr.sort()
>>> brr = brr[::-1]
>>> brr
array([ 9.99999960e-01, 9.99998167e-01, 9.99998114e-01, ...,
3.79672182e-07, 3.23871190e-07, 8.34517810e-08])
或者,使用 argsort:
>>> arr = np.random.random((1000,1500))
>>> brr = np.reshape(arr, arr.shape[0]*arr.shape[1])
>>> sort_indices = np.argsort(brr)[::-1]
>>> brr[:] = brr[sort_indices]
>>> brr
array([ 9.99999849e-01, 9.99998950e-01, 9.99998762e-01, ...,
1.16993050e-06, 1.68760770e-07, 6.58422260e-08])
试试这个按降序排序,
import numpy as np
a = np.array([1,3,4,5,6])
print -np.sort(-a)
要按降序对一维数组进行排序,请将 reverse=True 传递给sorted
. 正如@Erik指出的那样,sorted
将首先制作列表的副本,然后对其进行反向排序。
import numpy as np
import random
x = np.arange(0, 10)
x_sorted_reverse = sorted(x, reverse=True)