考虑数组
x = np.array(['1', '2', 'a'])
绑定转换为float数组会引发异常
x.astype(np.float)
ValueError: could not convert string to float: a
numpy是否提供了任何有效的方法将其强制转换为数字数组,用NAN之类的东西替换非数字值?
或者,是否存在一个等效于np.isnan
的高效numpy函数,但它还测试非字母元素,如字母?
答案 0 :(得分:11)
您可以使用np.genfromtxt
将字符串数组转换为浮点数组(使用NaN):
In [83]: np.set_printoptions(precision=3, suppress=True)
In [84]: np.genfromtxt(np.array(['1','2','3.14','1e-3','b','nan','inf','-inf']))
Out[84]: array([ 1. , 2. , 3.14 , 0.001, nan, nan, inf, -inf])
这是一种识别“数字”字符串的方法:
In [34]: x
Out[34]:
array(['1', '2', 'a'],
dtype='|S1')
In [35]: x.astype('unicode')
Out[35]:
array([u'1', u'2', u'a'],
dtype='<U1')
In [36]: np.char.isnumeric(x.astype('unicode'))
Out[36]: array([ True, True, False], dtype=bool)
请注意,“numeric”表示仅包含数字字符的unicode - 即具有Unicode数值属性的字符。 不包含小数点。因此u'1.3'
不被视为“数字”。
答案 1 :(得分:6)
如果你碰巧也在使用pandas,你可以使用pd.to_numeric()
方法:
In [1]: import numpy as np
In [2]: import pandas as pd
In [3]: x = np.array(['1', '2', 'a'])
In [4]: pd.to_numeric(x, errors='coerce')
Out[4]: array([ 1., 2., nan])