0

我正在尝试使用 python 将 csv 中的所有数据复制到 excel“xlsx”文件中。我正在使用以下代码来执行此操作:

from openpyxl import load_workbook
import csv
#Open an xlsx for reading
wb = load_workbook(filename = "empty_book.xlsx")
#Get the current Active Sheet
ws = wb.get_active_sheet()
#You can also select a particular sheet
#based on sheet name
#ws = wb.get_sheet_by_name("Sheet1")
#Open the csv file
with open("Pricing_Updated.csv",'rb') as fin:
    #read the csv
    reader = csv.reader(fin)
    #get the row index for the xlsx
    #enumerate the rows, so that you can
    for index,row in enumerate(reader):

        i=0
        for row[i] in row:
            ws.cell(row=index,column=i).value = row[i]
            i = i+1
#save the excel file
wb.save("empty_book.xlsx")

我在SO本身上找到了这段代码并对其进行了修改以使其可用于我的案例。但是这段代码会抛出UnicodeDecodeError: 'ascii' codec can't decode byte 0xa3 in position 0: ordinal not in range(128)错误ws.cell(row=index,column=i).value = row[i]

请帮我解决这个问题。

更新:我也尝试使用以下代码来解决问题,但再次遇到UnicodeDecode错误ws.cell(row=rowx,column=colx).value = row[colx]

for rowx,row in enumerate(reader):
    for colx, value in enumerate(row):

        ws.cell(row=rowx,column=colx).value = row[colx]

更新2:我也尝试使用xlwt模块将csv复制到xls(因为它不支持xlxs)并且再次遇到UnicodeDecode错误,我使用的代码是:

import glob, csv, xlwt, os
wb = xlwt.Workbook()
for filename in glob.glob("Pricing_Updated.csv"):
    (f_path, f_name) = os.path.split(filename)
    (f_short_name, f_extension) = os.path.splitext(f_name)
    ws = wb.add_sheet(f_short_name)
    spamReader = csv.reader(open(filename, 'rb'))
    for rowx, row in enumerate(spamReader):
        for colx, value in enumerate(row):
            ws.write(rowx, colx, value)
wb.save("exceltest7.xls")
4

1 回答 1

0

该错误表明单元格对象正在尝试将值转换为 Unicode,但该值包含非 ASCII 字符。你的 csv 文件是什么编码的?您必须发现这一点,尽管在 Windows 上一个很好的猜测是“mbcs”编码,Python 将其定义为与 Windows“ANSI”代码页相同。试试这个:

for rowx,row in enumerate(reader):
    for colx, value in enumerate(row):
        ws.cell(row=rowx,column=colx).value = unicode(value, "mbcs")
于 2013-02-04T10:32:20.217 回答