ValueError:无法将字符串转换为float:id


76

我正在运行以下python脚本:

#!/usr/bin/python

import os,sys
from scipy import stats
import numpy as np

f=open('data2.txt', 'r').readlines()
N=len(f)-1
for i in range(0,N):
    w=f[i].split()
    l1=w[1:8]
    l2=w[8:15]
    list1=[float(x) for x in l1]
    list2=[float(x) for x in l2]
    result=stats.ttest_ind(list1,list2)
    print result[1]

但是我得到了类似的错误:

ValueError: could not convert string to float: id

我对此感到困惑。当我在交互式部分中仅尝试一行时,而不是使用脚本进行for循环时:

>>> from scipy import stats
>>> import numpy as np
>>> f=open('data2.txt','r').readlines()
>>> w=f[1].split()
>>> l1=w[1:8]
>>> l2=w[8:15]
>>> list1=[float(x) for x in l1]
>>> list1
[5.3209183842, 4.6422726719, 4.3788135547, 5.9299061614, 5.9331108706, 5.0287087832, 4.57...]

它运作良好。

有人可以解释一下吗?谢谢。

Answers:


53

显然,您的某些行没有有效的float数据,特别是某些行的文本id无法转换为float。

当您在交互式提示中尝试它时,您仅尝试第一行,因此最好的方法是在出现此错误的地方打印行,您将知道错误的行,例如

#!/usr/bin/python

import os,sys
from scipy import stats
import numpy as np

f=open('data2.txt', 'r').readlines()
N=len(f)-1
for i in range(0,N):
    w=f[i].split()
    l1=w[1:8]
    l2=w[8:15]
    try:
        list1=[float(x) for x in l1]
        list2=[float(x) for x in l2]
    except ValueError,e:
        print "error",e,"on line",i
    result=stats.ttest_ind(list1,list2)
    print result[1]


17

该错误非常冗长:

ValueError: could not convert string to float: id

在文本文件中的某处,一行中包含单词id,但实际上无法将其转换为数字。

您的测试代码可以正常工作,因为id中没有该单词line 2


如果您想抓住那条线,请尝试以下代码。我整理了一下代码:

#!/usr/bin/python

import os, sys
from scipy import stats
import numpy as np

for index, line in enumerate(open('data2.txt', 'r').readlines()):
    w = line.split(' ')
    l1 = w[1:8]
    l2 = w[8:15]

    try:
        list1 = map(float, l1)
        list2 = map(float, l2)
    except ValueError:
        print 'Line {i} is corrupt!'.format(i = index)'
        break

    result = stats.ttest_ind(list1, list2)
    print result[1]

7

也许您的数字实际上不是数字,而是伪装成数字的字母?

就我而言,我使用的字体意味着“ l”和“ 1”看起来非常相似。我有一个像“ l1919”的字符串,我以为是“ 11919”,这使事情搞砸了。


5

您的数据可能不是您所期望的-似乎您正在期望但没有得到浮动。

解决此问题的一种简单解决方案是在try循环中添加try / except:

for i in range(0,N):
    w=f[i].split()
    l1=w[1:8]
    l2=w[8:15]
    try:
      list1=[float(x) for x in l1]
      list2=[float(x) for x in l2]
    except ValueError, e:
      # report the error in some way that is helpful -- maybe print out i
    result=stats.ttest_ind(list1,list2)
    print result[1]


0

我用熊猫的基本技术解决了类似的情况。首先使用pandas加载csv或文本文件,这很简单

data=pd.read_excel('link to the file')

然后将数据索引设置为需要更改的相关列。例如,如果您的数据具有ID作为一个属性或一列,则将索引设置为ID。

 data = data.set_index("ID")

然后使用以下命令删除所有以“ id”作为值而不是数字的行。

  data = data.drop("id", axis=0). 

希望对你有帮助。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.