如何使用python 3

时间:2017-09-14 13:13:02

标签: python python-3.x csv multiple-value

您好我有一个用逗号分隔的csv文件。

name, email1; Email2; email3, etc, telephone

我想使用python中的csv模块从电子邮件字段中提取所有电子邮件地址。并从每个电子邮件地址使用其他字段写一行

name, email1, etc, telephone
name, Email2, etc, telephone
name, email3, etc, telephone

也许我需要阅读电子邮件字段并将其拆分为单独的字符串?

1 个答案:

答案 0 :(得分:0)

创建CSV阅读器和编写器,如您所述,使用标准,分隔符读取文件,然后使用;手动拆分电子邮件字段。对于每个电子邮件条目,请写下其他字段:

import csv

with open('input.csv', newline='') as f_input, open('output.csv', 'w', newline='') as f_output:
    csv_input = csv.reader(f_input)
    csv_output = csv.writer(f_output)

    for row in csv_input:
        emails = row[1].split(';')
        for email in emails:
            csv_output.writerow([row[0], email]  + row[3:])

或者稍微紧凑如下:

import csv

with open('input.csv', newline='') as f_input, open('output.csv', 'w', newline='') as f_output:
    csv_output = csv.writer(f_output)

    for row in csv.reader(f_input):
        csv_output.writerows([row[0], email] + row[3:] for email in row[1].split(';'))

使用Python 3.x进行测试