您可以简单地比较
hist_values
使用
threshold
,这将为您提供一个掩码,作为
bool
可用于切片,例如:
import numpy as np
# prepare random input
arr1 = np.random.randint(0, 100, 1000)
arr2 = np.random.randint(0, 100, 1000)
# compute 2D histogram
hist_values, hist_x, hist_y = np.histogram2d(arr1, arr2)
mask = hist_values > threshold # the array of `bool`
hist_values[mask] # only the values above `threshold`
当然,这些值随后会收集到一个展平的数组中。
或者,您也可以使用
mask
实例化遮罩数组对象(使用
numpy.ma
,有关详细信息,请参阅文档)。
如果在发生这种情况的坐标之后,应该使用
numpy.where()
。
# i0 and i1 contain the indices in the 0 and 1 dimensions respectively
i0, i1 = np.where(hist_values > threshold)
# e.g. this will give you the first value satisfying your condition
hist_values[i0[0], i1[0]]
对于
hist_x
和
hist_y
您应该注意,这些是箱子的边界,而不是中值,因此您可以使用它的下限或上限。
# lower edges of `hist_x` and `hist_y` respectively...
hist_x[i0]
hist_y[i1]
# ... and upper edges
hist_x[i0 + 1]
hist_y[i1 + 1]