Python:如何关闭我的CSV输入和输出文件?

时间:2017-08-20 18:51:22

标签: python csv python-3.5 linuxmint

您好,我一直在尝试使用此主题中的 Winston Ewert 代码示例。

Python: Removing duplicate CSV entries

但是我无法关闭输入和输出文件。我做错了什么?

write_outfile.close()

write_infile.close()

  

回溯(最近一次调用最后一次):文件" Duplicates_01.py",第26行,在write_outfile.close()中属性错误:' _csv.writer'对象没有属性' close'

import csv

write_infile = csv.reader(open('File1.csv', 'r'))
write_outfile = csv.writer(open('File2.csv', 'w'))

#write_infile = open('File1.csv', 'r')
#f1 = csv.reader(write_infile)
#f1 = csv.reader(write_infile, delimiter=' ')

#write_outfile = open('File2.csv', 'w')
#f2 = csv.writer(write_outfile)
#f2 = csv.writer(write_outfile, delimiter=' ')

phone_numbers = set()

for row in write_infile:
    if row[1] not in phone_numbers:
        write_outfile.writerow(row)
#       f2.writerow(row)
        phone_numbers.add(row[1])

# write_outfile.close()
# write_infile.close()

File1.csv

user, phone, email
joe, 123, joe@x.com
mary, 456, mary@x.com
ed, 123, ed@x.com

1 个答案:

答案 0 :(得分:5)

做:

csv.reader(open('File1.csv', 'r'))

您正在向csv.reader个对象传递一个匿名文件句柄,因此您无法控制文件何时关闭(这是需要关闭的句柄,而不是csv.reader对象)

close方法必须应用于文件句柄(csv reader / writer对象可以在列表,迭代器上工作,......,它们不能有close方法)所以我会做:

fr = open('File1.csv', 'r')

csv.reader(fr)

然后

fr.close()

或使用上下文管理器:

with open('File1.csv', 'r') as fr:
    csv.reader(fr)
离开上下文后,

文件将立即关闭

除此之外:在某些python版本上创建csv文件时还有一个额外的问题。使用像open('File2.csv', 'w')这样的句柄可能会导致问题(插入空白行)。对于兼容的&健壮的方式,你可以阅读this Q&A