我有一个用户将文件上传到网站,并且我需要解析电子表格。这是我的代码:

input_file = request.FILES.get('file-upload')
wb = xlrd.open_workbook(input_file)

我不断得到的错误是:
TypeError at /upload_spreadsheet/
coercing to Unicode: need string or buffer, InMemoryUploadedFile found

为什么会发生这种情况,我需要怎么做才能解决?谢谢你。

供引用,这是我在 shell 中打开文件的方式
>>> import xlrd
>>> xlrd.open_workbook('/Users/me/dave_example.xls')
<xlrd.Book object at 0x10d9f7390>

最佳答案

您可以在使用xlrd打开文件之前将InMemoryUploadedFile转储到临时文件。

try:
    fd, tmp = tempfile.mkstemp()
    with os.fdopen(fd, 'w') as out:
        out.write(input_file.read())
    wb = xlrd.open_workbook(tmp)
    ...  # do what you have to do
finally:
    os.unlink(tmp)  # delete the temp file no matter what

如果您想将所有内容都保留在内存中,请尝试:
wb = xlrd.open_workbook(filename=None, file_contents=input_file.read())

关于python - 打开电子表格返回InMemoryUploadedFile,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12886842/

10-12 16:05