本文介绍如何用 Django 的视图动态输出 PDF 文件。该功能由绝佳的开源 ReportLab Python PDF 库提供。
动态生成 PDF 文件的优点是你可以为不同的目的创建不同的自定义 PDF——例如,为不同的用户或内容的不同片段生成 PDF。
例如,kusports.com 用 Django 将自定义的,打印友好的 NCAA 锦标赛树状图生成 PDF 文件,发放给参加三月疯狂竞赛的人。
The ReportLab library is available on PyPI. A user guide
(not coincidentally, a PDF file) is also available for download.
You can install ReportLab with pip
:
$ python -m pip install reportlab
...\> py -m pip install reportlab
Test your installation by importing it in the Python interactive interpreter:
>>> import reportlab
若该命令未抛出任何错误,安装成功。
利用 Django 动态生成 PDF 的关键是 ReportLab API 作用于类文件对象,而 Django 的 FileResponse
对象接收类文件对象。
这有个 "Hello World" 示例:
import io
from django.http import FileResponse
from reportlab.pdfgen import canvas
def some_view(request):
# Create a file-like buffer to receive PDF data.
buffer = io.BytesIO()
# Create the PDF object, using the buffer as its "file."
p = canvas.Canvas(buffer)
# Draw things on the PDF. Here's where the PDF generation happens.
# See the ReportLab documentation for the full list of functionality.
p.drawString(100, 100, "Hello world.")
# Close the PDF object cleanly, and we're done.
p.showPage()
p.save()
# FileResponse sets the Content-Disposition header so that browsers
# present the option to save the file.
buffer.seek(0)
return FileResponse(buffer, as_attachment=True, filename="hello.pdf")
代码和注释应该是不言自明的,但是有几件事值得提一下:
as_attachment=True
is passed to FileResponse
, it sets the
appropriate Content-Disposition
header and that tells web browsers to
pop-up a dialog box prompting/confirming how to handle the document even if a
default is set on the machine. If the as_attachment
parameter is omitted,
browsers will handle the PDF using whatever program/plugin they've been
configured to use for PDFs.filename
。浏览器的“另存为…”对话框会用到它。canvas.Canvas
的缓冲区也能传递给类 FileResponse
类来使用 ReportLab API。p
)——而不是在 buffer
上调用。showPage()
和 save()
。备注
ReportLab 不是线程安全的。某些用户已经报告了一些奇怪的 issue,在创建用于生成 PDF 的 Django 视图时,这些视图被多个用户同时访问会出现问题。
5月 12, 2023