我希望能够将csv文件转换为列表列表,其中包含每个列表的列值。例如:
6,2,4
5,2,3
7,3,6
到
[[6,5,7],[2,2,3],[4,3,6]]
我只设法打开文件,只是成功将其打印为行
with open(input,'rb') as csvfile:
csv_file = csv.reader(csvfile)
header = csv_file.next()
raw_data = csv_file
答案 0 :(得分:8)
如果您确定每行中有固定数量的项目,则可以使用zip:
import csv
with open('test.csv') as csvfile:
rows = csv.reader(csvfile)
res = list(zip(*rows))
print(res)
# [('6', '5', '7'), ('2', '2', '3'), ('4', '3', '6')]
或者如果行中的项目数不同:
6,2,4
5,2
7
import csv
from itertools import zip_longest
with open('test.txt') as csvfile:
rows = csv.reader(csvfile)
res = list(zip_longest(*rows))
print(res)
# [('6', '5', '7'), ('2', '2', None), ('4', None, None)]
res2 = [list(filter(None.__ne__, l)) for l in res]
print(res2)
# [['6', '5', '7'], ['2', '2'], ['4']]
答案 1 :(得分:1)
您可能首先将其读入列表列表:
from csv import reader as csvreader
with open(input, 'r') as fp:
reader = csvreader(fp)
li = list(reader)
然后把它切成一个新的序列,我确定还有其他一些使用itertools的技巧,但这就是我提出的:
from itertools import count
def my_gen():
for i in count():
try:
yield [x[i] for x in li]
except IndexError:
break
您现在可以将生成器转换为列表,该列表将所需的列作为行。
list(my_gen())