我试图用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", ... 

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


当前回答

你可以用绳子。方法。

为了清晰起见,分成几行——这是一个交互式会话

>>> a = ['a','b','c']
>>> first = '", "'.join(a)
>>> second = '"%s"' % first
>>> print second
"a", "b", "c"

或者是一条直线

>>> print ('"%s"') % '", "'.join(a)
"a", "b", "c"

然而,你可能有一个问题是你的字符串有嵌入引号。如果是这种情况,你需要决定如何逃离它们。

CSV模块可以为您处理所有这些,允许您在各种引用选项(所有字段,仅包含引号和分隔符的字段,仅包含非数字字段,等等)之间进行选择,以及如何转义控制字符(双引号,或转义字符串)。如果你的值是简单的,字符串。join可能没问题,但如果你必须管理大量的边缘情况,使用可用的模块。

其他回答

另一种方法,你可以在pandas中使用DataFrame: 它可以很容易地将数据转储到csv,就像下面的代码:

import pandas
df = pandas.DataFrame(data={"col1": list_1, "col2": list_2})
df.to_csv("./file.csv", sep=',',index=False)

创建并写入csv文件

下面的示例演示创建和写入csv文件。 要使一个动态文件写入器,我们需要导入一个包import csv,然后需要创建一个文件引用的文件实例 Ex:-使用open("D:\sample.csv","w",newline="")作为文件写入器

here if the file does not exist with the mentioned file directory then python will create a same file in the specified directory, and "w" represents write, if you want to read a file then replace "w" with "r" or to append to existing file then "a". newline="" specifies that it removes an extra empty row for every time you create row so to eliminate empty row we use newline="", create some field names(column names) using list like fields=["Names","Age","Class"], then apply to writer instance like writer=csv.DictWriter(file_writer,fieldnames=fields) here using Dictionary writer and assigning column names, to write column names to csv we use writer.writeheader() and to write values we use writer.writerow({"Names":"John","Age":20,"Class":"12A"}) ,while writing file values must be passed using dictionary method , here the key is column name and value is your respective key value

import csv 

with open("D:\\sample.csv","w",newline="") as file_writer:

   fields=["Names","Age","Class"]

   writer=csv.DictWriter(file_writer,fieldnames=fields)

   writer.writeheader()

   writer.writerow({"Names":"John","Age":21,"Class":"12A"})

你可以用绳子。方法。

为了清晰起见,分成几行——这是一个交互式会话

>>> a = ['a','b','c']
>>> first = '", "'.join(a)
>>> second = '"%s"' % first
>>> print second
"a", "b", "c"

或者是一条直线

>>> print ('"%s"') % '", "'.join(a)
"a", "b", "c"

然而,你可能有一个问题是你的字符串有嵌入引号。如果是这种情况,你需要决定如何逃离它们。

CSV模块可以为您处理所有这些,允许您在各种引用选项(所有字段,仅包含引号和分隔符的字段,仅包含非数字字段,等等)之间进行选择,以及如何转义控制字符(双引号,或转义字符串)。如果你的值是简单的,字符串。join可能没问题,但如果你必须管理大量的边缘情况,使用可用的模块。

木星笔记本

假设你的列表名是A

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

R="\n".join(A)
f = open('Columns.csv','w')
f.write(R)
f.close()
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)