Python通过lin写入CSV行

2024-03-28 19:02:10 发布

您现在位置:Python中文网/ 问答频道 /正文

我有通过http请求访问并由服务器以逗号分隔格式发送回来的数据,我有以下代码:

site= 'www.example.com'
hdr = {'User-Agent': 'Mozilla/5.0'}
req = urllib2.Request(site,headers=hdr)
page = urllib2.urlopen(req)
soup = BeautifulSoup(page)
soup = soup.get_text()
text=str(soup)

正文内容如下:

april,2,5,7
may,3,5,8
june,4,7,3
july,5,6,9

如何将此数据保存到CSV文件中。 我知道我可以按照以下几行来逐行迭代:

import StringIO
s = StringIO.StringIO(text)
for line in s:

但我不确定现在如何正确地将每一行写入CSV

编辑--->;感谢您提供的反馈,建议解决方案非常简单,如下所示。

解决方案:

import StringIO
s = StringIO.StringIO(text)
with open('fileName.csv', 'w') as f:
    for line in s:
        f.write(line)

Tags: csv数据textinimportforhdrline
3条回答

我只需将每一行写入一个文件,因为它已经是CSV格式:

write_file = "output.csv"
with open(write_file, "w") as output:
    for line in text:
        output.write(line + '\n')

我不记得现在怎样用换行符来写行,不过:p

另外,您可能想看一下this answer关于write()writelines()'\n'

你可以像写普通文件一样写这个文件。

with open('csvfile.csv','wb') as file:
    for l in text:
        file.write(l)
        file.write('\n')

如果只是以防万一,它是一个列表列表,那么可以直接使用内置的csv模块

import csv

with open("csvfile.csv", "wb") as file:
    writer = csv.writer(file)
    writer.writerows(text)

一般方式:

##text=List of strings to be written to file
with open('csvfile.csv','wb') as file:
    for line in text:
        file.write(line)
        file.write('\n')

或者

使用CSV编写器:

import csv
with open(<path to output_csv>, "wb") as csv_file:
        writer = csv.writer(csv_file, delimiter=',')
        for line in data:
            writer.writerow(line)

或者

最简单的方法:

f = open('csvfile.csv','w')
f.write('hi there\n') #Give your csv text here.
## Python will convert \n to os.linesep
f.close()

相关问题 更多 >