我使用PyPDF4
合并pdf文件,然后将合并的pdf用作HttpResponse
。
我使用BytesIO
从PdfFileMerger
获取结果。
我使用此代码工作
def mergePDF(listOfPDFFile):
merger = PdfFileMerger()
for file in listOfPDFFile:
merger.append(PdfFileReader(file))
_byteIo = BytesIO()
merger.write(_byteIo)
return _byteIo.getvalue()
然后,当我使用
APIView
中的方法将合并的pdf作为HttpResponse
返回时class DocumentBundlePDFView(APIView):
def get(self, request, format=None):
'''
here goes a process to assign list of document to documentList
'''
pdfBytes = mergePDF(documentList)
pdfFile = io.BytesIO(pdfBytes)
response = HttpResponse(FileWrapper(pdfFile), content_type='application/pdf')
return response
但是,为什么我必须创建两次
BytesIO
对象才能使其正常工作?最初,我返回
_byteIO
实例,然后直接将该实例传递给FileWrapper
,但它输出0Kb文件。因此,我将
_byteIO
实例转换为bytes
,然后在APIView中创建另一个BytesIO
实例以使其正常工作。如何简化代码?
最佳答案
在您的mergePDF
函数中,而不是返回
return _byteIo.getvalue()
做某事的效果
_byteIo.seek(0)
return _byteIo
最初,我返回_byteIO实例,然后直接传递
实例到FileWrapper,但输出0Kb文件。
问题是当您写入类似文件的对象时,游标被设置为最后一个字节。只需将其移回开头即可,否则就像从空文件读取一样。
关于python - 为什么我必须先从BytesIO转换字节,然后再转换回BytesIO,以便可以将其读取为PDF文件响应?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52921663/