我试图用Python列表中的值创建一个.csv文件。当我打印列表中的值时,它们都是unicode(?),即它们看起来像这样

[u'value 1', u'value 2', ...]

如果我遍历列表中的值,即mylist中的v:打印v,它们看起来是纯文本。

然后在每一个之间加上print '。join(mylist)

我可以输出到一个文件,即。

myfile = open(...)
print >>myfile, ','.join(mylist)

但是我想输出到CSV,并在列表中的值周围有分隔符。

"value 1", "value 2", ... 

我找不到一个简单的方法来包括在格式分隔符,例如,我已经尝试通过连接语句。我该怎么做呢?


当前回答

下面是Python 3的复制粘贴示例。使用选项定义自己的分隔符和引号字符。

import csv

mylist = ['value 1', 'value 2', 'value 3']

with open('employee_file.csv', mode='w') as employee_file:
    employee_writer = csv.writer(employee_file, delimiter=',', quotechar='"', quoting=csv.QUOTE_ALL)
    employee_writer.writerow(mylist)

这会生成employee_file.csv,如下所示:

"value 1","value 2","value 3"

NOTE: If quoting is set to csv.QUOTE_MINIMAL, then .writerow() will quote fields only if they contain the delimiter or the quotechar. This is the default case. If quoting is set to csv.QUOTE_ALL, then .writerow() will quote all fields. If quoting is set to csv.QUOTE_NONNUMERIC, then .writerow() will quote all fields containing text data and convert all numeric fields to the float data type. If quoting is set to csv.QUOTE_NONE, then .writerow() will escape delimiters instead of quoting them. In this case, you also must provide a value for the escapechar optional parameter.

其他回答

对于那些寻找简单解决方案的人。实际上,我发现了一个更简单的解决方案,可以完成类似的工作:

import pandas as pd
a = ['a','b','c'] 
df = pd.DataFrame({'a': a})
df= df.set_index('a').T
df.to_csv('list_a.csv', index=False)

希望这也能有所帮助。

import csv

with open(..., 'wb') as myfile:
    wr = csv.writer(myfile, quoting=csv.QUOTE_ALL)
    wr.writerow(mylist)

编辑:这只适用于python 2.x。

让它与python 3一起工作。x用w代替wb(见这个SO答案)

with open(..., 'w', newline='') as myfile:
     wr = csv.writer(myfile, quoting=csv.QUOTE_ALL)
     wr.writerow(mylist)

我发现最好的选择是使用numpy模块中的savetxt:

import numpy as np
np.savetxt("file_name.csv", data1, delimiter=",", fmt='%s', header=header)

以防你有多个需要堆叠的列表

np.savetxt("file_name.csv", np.column_stack((data1, data2)), delimiter=",", fmt='%s', header=header)

这个解决方案听起来很疯狂,但效果非常好

import csv

with open('filename', 'wb') as myfile:
    wr = csv.writer(myfile, quoting=csv.QUOTE_ALL,delimiter='\n')
    wr.writerow(mylist)

文件是由csvwriter写入的,因此csv属性被维护,即逗号分隔。 分隔符通过每次将列表项移动到下一行来帮助主要部分。

木星笔记本

假设你的列表名是A

然后您可以编写以下代码,并将其作为csv文件(仅限列!)

R="\n".join(A)
f = open('Columns.csv','w')
f.write(R)
f.close()