爬虫工程师基础,Python csv模块

文章目录

  • 前言
  • Python csv模块
    • CSV文件写入
    • CSV文件读取


前言

Python csv模块

CSV 文件又称为逗号分隔值文件,是一种通用的、相对简单的文件格式,用以存储表格数据,包括数字或者字符。CSV 是电子表格和数据库中最常见的输入、输出文件格式。

CSV文件写入

csv 模块中的 writer 类可用于读写序列化的数据

writer(csvfile, dialect='excel', **fmtparams)

csvfile:必须是支持迭代(Iterator)的对象,可以是文件(file)对象或者列表(list)对象。
dialect:编码风格,默认为 excel 的风格,也就是使用逗号,分隔。 fmtparam:格式化参数,用来覆盖之前 dialect对象指定的编码风格

import csv
# 操作文件对象时,需要添加newline参数逐行写入,否则会出现空行现象
with open('eggs.csv', 'w', newline='') as csvfile:
    # delimiter 指定分隔符,默认为逗号,这里指定为空格
    # quotechar 表示引用符
    # writerow 单行写入,列表格式传入数据
    spamwriter = csv.writer(csvfile, delimiter=' ',quotechar='|')
    spamwriter.writerow(['www.biancheng.net'] * 5 + ['how are you'])
    spamwriter.writerow(['hello world', 'web site', 'www.biancheng.net'])

eggs.csv 文件

www.biancheng.net www.biancheng.net www.biancheng.net www.biancheng.net www.biancheng.net |how are you|
|hello world| |web site| www.biancheng.net

同时写入多行数据,需要使用 writerrows() 方法

import csv
with open('aggs.csv', 'w', newline='') as f:
    writer = csv.writer(f)
    # 注意传入数据的格式为列表元组格式
    writer.writerows([('hello','world'), ('I','love','you')])

aggs.csv文件内容

hello,world
I,love,you

使用 DictWriter 类以字典的形式读写数据

import csv
with open('names.csv', 'w', newline='') as csvfile:
    #构建字段名称,也就是key
    fieldnames = ['first_name', 'last_name']
    writer = csv.DictWriter(csvfile, fieldnames=fieldnames)
    # 写入字段名,当做表头
    writer.writeheader()
    # 多行写入
    writer.writerows([{'first_name': 'Baked', 'last_name': 'Beans'},{'first_name': 'Lovely', 'last_name': 'Spam'}])
    # 单行写入
    writer.writerow({'first_name': 'Wonderful', 'last_name': 'Spam'})

name.csv 文件内容

first_name,last_name
Baked,Beans
Lovely,Spam
Wonderful,Spam

CSV文件读取

csv 模块中的 reader 类和 DictReader 类用于读取文件中的数据

csv.reader(csvfile, dialect='excel', **fmtparams)

应用

import csv
with open('eggs.csv', 'r', newline='') as csvfile:
    spamreader = csv.reader(csvfile, delimiter=' ', quotechar='|')
    for row in spamreader:
        print(', '.join(row))

输出

www.biancheng.net, www.biancheng.net, www.biancheng.net, www.biancheng.net, www.biancheng.net, how are you
hello world, web site, www.biancheng.net

csv.DictReader()
应用

import csv
with open('names.csv', newline='') as csvfile:
    reader = csv.DictReader(csvfile)
    for row in reader:
        print(row['first_name'], row['last_name'])

输出

Baked Beans
Lovely Spam
Wonderful Spam

你可能感兴趣的:(爬虫,python,数据库)