我有一个列表列表,每个子列表中包含不同数量的字符串:
tq_list = [['The mysterious diary records the voice.', 'Italy is my favorite country', 'I am happy to take your donation', 'Any amount will be greatly appreciated.'], ['I am counting my calories, yet I really want dessert.', 'Cats are good pets, for they are clean and are not noisy.'], ['We have a lot of rain in June.']]
我想为每个子列表创建一个新的CSV文件。到目前为止,我仅有的一种方法是使用以下代码在同一CSV文件中将每个子列表输出为一行:
name_list = ["sublist1","sublist2","sublist3"]
with open("{}.csv".format(*name_list), "w", newline="") as f:
writer = csv.writer(f)
for row in tq_list:
writer.writerow(row)
这将创建一个名为“ sublist1.csv”的CSV文件。
我玩弄了以下代码:
name_list = ["sublist1","sublist2","sublist3"]
for row in tq_list:
with open("{}.csv".format(*name_list), "w", newline="") as f:
writer = csv.writer(f)
writer.writerow(row)
这也仅输出一个名为“ sublist1.csv”的CSV文件,但仅包含最后一个子列表中的值。我觉得这是朝着正确方向迈出的一步,但显然还没有完成。
答案 0 :(得分:0)
您的代码中*
中的"{}.csv".format(*name_list)
实际上是这样的:它解压缩name_list
中要传递给函数的元素(在这种情况下为format
) 。这意味着format(*name_list)
等效于format("sublist1", "sublist2", "sublist3")
。由于您的字符串中只有一个{}
,因此除"sublist1"
以外的所有format参数都将被丢弃。
您可能想要执行以下操作:
for index, row in enumerate(tq_list):
with open("{}.csv".format(name_list[index]), "w", newline="") as f:
...
enumerate
返回一个计数索引以及要迭代的每个元素,以便您可以跟踪已经有多少个元素。这样,您可以每次写入不同的文件。您还可以使用zip
,这是另一个方便的函数,可以在Python文档中查找。