Python - 将数组转换为列表会导致值发生变化

时间:2014-06-26 15:53:03

标签: python arrays list numpy

>>> import numpy as np
>>> a=np.arange(0,2,0.2)
>>> a
array([ 0. ,  0.2,  0.4,  0.6,  0.8,  1. ,  1.2,  1.4,  1.6,  1.8])
>>> a=a.tolist()
>>> a
[0.0, 0.2, 0.4, 0.6000000000000001, 0.8, 1.0, 1.2000000000000002, 1.4000000000000001, 1.6, 1.8]
>>> a.index(0.6)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: 0.6 is not in list

似乎列表中的某些值已更改,但我无法使用index()找到它们。我该如何解决这个问题?

1 个答案:

答案 0 :(得分:5)

0.6没有改变; 它从来没有

>>> import numpy as np
>>> a = np.arange(0, 2, 0.2)
>>> a
array([ 0. ,  0.2,  0.4,  0.6,  0.8,  1. ,  1.2,  1.4,  1.6,  1.8])
>>> 0.0 in a
True # yep!
>>> 0.6 in a
False # what? 
>>> 0.6000000000000001 in a
True # oh...

为了显示目的,数组中的数字是四舍五入的,但数组确实包含您随后在列表中看到的值; 0.60000000000000010.6不能精确地表示为浮点数,因此依靠精确相等的浮点数是不明智的!

查找索引的一种方法是使用容差方法:

def float_index(seq, f):
    for i, x in enumerate(seq):
         if abs(x - f) < 0.0001:
             return i

也适用于数组:

>>> float_index(a, 0.6)
3