2

我已经从python 网站复制了这个脚本:

import sqlite3
import csv
import codecs
import cStringIO
import sys

class UTF8Recoder:
    """
    Iterator that reads an encoded stream and reencodes the input to UTF-8
    """
    def __init__(self, f, encoding):
        self.reader = codecs.getreader(encoding)(f)

    def __iter__(self):
        return self

    def next(self):
        return self.reader.next().encode("utf-8")

class UnicodeReader:
    """
    A CSV reader which will iterate over lines in the CSV file "f",
    which is encoded in the given encoding.
    """

    def __init__(self, f, dialect=csv.excel, encoding="utf-8", **kwds):
        f = UTF8Recoder(f, encoding)
        self.reader = csv.reader(f, dialect=dialect, **kwds)

    def next(self):
        row = self.reader.next()
        return [unicode(s, "utf-8") for s in row]

    def __iter__(self):
        return self

class UnicodeWriter:
    """
    A CSV writer which will write rows to CSV file "f",
    which is encoded in the given encoding.
    """

    def __init__(self, f, dialect=csv.excel, encoding="utf-8", **kwds):
        # Redirect output to a queue
        self.queue = cStringIO.StringIO()
        self.writer = csv.writer(self.queue, dialect=dialect, **kwds)
        self.stream = f
        self.encoder = codecs.getincrementalencoder(encoding)()

    def writerow(self, row):
        self.writer.writerow([s.encode("utf-8") for s in row])
        # Fetch UTF-8 output from the queue ...
        data = self.queue.getvalue()
        data = data.decode("utf-8")
        # ... and reencode it into the target encoding
        data = self.encoder.encode(data)
        # write to the target stream
        self.stream.write(data)
        # empty queue
        self.queue.truncate(0)

    def writerows(self, rows):
        for row in rows:
            self.writerow(row)

当我运行这个脚本时,我得到这个错误:

Traceback (most recent call last):
  File "makeCSV.py", line 20, in <module>
    class UnicodeReader:
  File "makeCSV.py", line 26, in UnicodeReader
    def __init__(self, f, dialect=csv.excel, encoding="utf-8", **kwds):
AttributeError: 'module' object has no attribute 'excel'

此错误可能是什么原因,我该如何解决?

4

2 回答 2

6

这个模块,,csv我不认为它是你认为的那样。检查您的路径上是否没有任何 csv.py 正在导入,而不是 stdlib csv 模块。

您可以打印出来csv.__file__(从脚本中)以查看它的来源。然后,删除/移动有问题的文件,以便导入 stdlib csv。

于 2012-08-09T12:49:15.993 回答
1

也许问题很愚蠢,但我认为值得回答而不是删除它。我已经用问题脚本在工作目录上创建了 csv.py 脚本,所以据我了解,python 解释器首先尝试从当前工作目录导入库,然后从 python 文件路径导入库,这就是问题所在。

于 2012-08-09T12:56:36.680 回答