3

我有一个名为 'ft_List 的列表,看起来像......

[['Fall2001', '22.00', '2000', '01', '01', '120.0', '', 'N'], 
[CgeCam2002', '20.00', '2000', '09', '04', '0.0', '1', ''],
['Fall2004', '18.50', '2001', '18', '01', '', '', 'Y']........

...如何将第 5 列转换为浮点数?我试过了

for i in ft_Rec:
    ms = i[5].split(',')
    float(ms)

但得到

TypeError: float() 参数必须是字符串或数字

. 我以为是字符串?是不是因为有些字段是空的('')?我想用这个专栏做一些计算

4

4 回答 4

3

您不需要拆分此输入,它已经是一个列表,只需检查空字符串:

for i in ft_Rec:
    if i[5]: print float(i[5])

要获得总数:

total = sum( float(i[5]) for i in ft_Rec if i[5] )
于 2013-05-24T05:07:22.430 回答
1
>>> ft_List = [['Fall2001', '22.00', '2000', '01', '01', '120.0', '', 'N'],
['CgeCam2002', '20.00', '2000', '09', '04', '0.0', '1', ''],
['Fall2004', '18.50', '2001', '18', '01', '', '', 'Y']]
>>> for i in ft_List:
        i[5] = float(i[5] or 0) # empty string logical ors to 0


>>> ft_List
[['Fall2001', '22.00', '2000', '01', '01', 120.0, '', 'N'], ['CgeCam2002', '20.00', '2000', '09', '04', 0.0, '1', ''], ['Fall2004', '18.50', '2001', '18', '01', 0.0, '', 'Y']]

问题是:

>>> float('')

Traceback (most recent call last):
  File "<pyshell#22>", line 1, in <module>
    float('')
ValueError: could not convert string to float: 

这个解决方案只是利用了 Python 中的空内置对象评估为 False 的事实

>>> '' or 0
0
于 2013-05-24T05:10:23.127 回答
0

你可以这样做:

>>> for row in ll:
...     f = float(row[5]) if row[5] else 0.
...     print f
... 
120.0
0.0
0.0

哪里ll是:

>>> ll = [['Fall2001', '22.00', '2000', '01', '01', '120.0', '', 'N'], 
         ['CgeCam2002', '20.00', '2000', '09', '04', '0.0', '1', ''], 
         ['Fall2004', '18.50', '2001', '18', '01', '', '', 'Y']]

我正在打印0.0空字符串''

于 2013-05-24T05:02:32.227 回答
-1

python 不接受空字符串作为浮点数的参数。

    >>>float(' ')
    >>>ValueError: could not convert string to float:
于 2013-05-24T05:11:53.640 回答