从文本文件创建浮点列表的列表的Pythonic方法

时间:2019-06-18 09:43:36

标签: python list for-loop map-function

我正在逐行读取csv_reader,并尝试转换同一行上的float字符串列表。目前,我有:

list([float(i) for i in map(list, csv_reader)])

这显然行不通。我将如何实现自己想要的?我也希望所有这些都在同一行上。

我需要两个map函数吗?也许有两个Pythonic for循环?

我要处理的功能是:

def csv_input(filename):

    print(f'Currently reading the annotations from {filename}')

    try:
        csv_input_file = open(filename, 'rt')
    except FileNotFoundError:
        program_help()
        print("[Error] Input File not found")

    csv_reader = csv.reader(csv_input_file, delimiter=',')
    unfiltered_annots = list(float(i) for i in map(list, csv_reader))
    csv_input_file.close()

    return unfiltered_annots

我的CSV文件如下:

11, 11, 24, 24, 0.75
10, 11, 20, 20, 0.8
11, 9, 24, 24, 0.7
40, 42, 20, 20, 0.6

我得到的错误是:

Traceback (most recent call last):
  File "maximal_supression.py", line 124, in test_google_doc_example
    unfiltered_annots = csv_input('example_input.csv')
  File "maximal_supression.py", line 34, in csv_input
    unfiltered_annots = list(float(i) for i in map(list, csv_reader))
  File "maximal_supression.py", line 34, in <genexpr>
    unfiltered_annots = list(float(i) for i in map(list, csv_reader))
TypeError: float() argument must be a string or a number, not 'list'

1 个答案:

答案 0 :(得分:1)

您正在尝试将列表转换为浮点型。如果要将列表元素转换为浮点数,则还应该在列表理解范围内迭代列表:

unfiltered_annots = list([[float(i) for i in l] for l in map(list, csv_reader)])

在我经过稍微转换的代码中(为简单起见):

import csv

csv_input_file = open('a.csv', 'rt')
csv_reader = csv.reader(csv_input_file, delimiter=',')
unfiltered_annots = list([[float(i) for i in l] for l in map(list, csv_reader)])
csv_input_file.close()
unfiltered_annots

它返回列表列表:

[[11.0, 11.0, 24.0, 24.0, 0.75],
 [10.0, 11.0, 20.0, 20.0, 0.8],
 [11.0, 9.0, 24.0, 24.0, 0.7],
 [40.0, 42.0, 20.0, 20.0, 0.6]]

P.S。正如 @meowgoesthedog 所述,csv_reader返回列表,因此您无需将列表映射到csv_reader:

unfiltered_annots = [list(map(float, l)) for l in csv_reader]