我在下面有一个数组:
a=np.array([0.1, 0.2, 0.3, 0.7, 0.8, 0.9])
我想要的是根据阈值将此向量转换为二进制向量。
以阈值= 0.5为例,大于0.5的元素转换为1,否则为0.
输出向量应该是这样的:
a_output = [0, 0, 0, 1, 1, 1]
我该怎么做?
答案 0 :(得分:14)
np.where
np.where(a > 0.5, 1, 0)
# array([0, 0, 0, 1, 1, 1])
astype
(a > .5).astype(int)
# array([0, 0, 0, 1, 1, 1])
np.select
np.select([a <= .5, a>.5], [np.zeros_like(a), np.ones_like(a)])
# array([ 0., 0., 0., 1., 1., 1.])
np.round
如果您的数组值是0到1之间的浮动值且阈值为0.5,则这是最佳解决方案。
a.round()
# array([0., 0., 0., 1., 1., 1.])
答案 1 :(得分:0)
您可以使用binarize
中的sklearn.preprocessing module
。
但是,仅当您希望最终值是二进制值(即“ 0”或“ 1”)时,此方法才有效。上面提供的答案也很重要。
from sklearn.preprocessing import binarize
a = np.array([0.1, 0.2, 0.3, 0.7, 0.8, 0.9]).reshape(1,-1)
x = binarize(a)
a_output = np.ravel(x)
print(a_output)
#everything together
a_output = np.ravel(binarize(a.reshape(1,-1), 0.5))