我有一个简单的 python tkinter 绘画程序(用户使用鼠标在 Canvas 上绘画)。我的目标是保存最终的绘图并将其放入包含其他内容的 pdf 文件中。
环顾四周后,我意识到我只能像这样将 Canvas 绘图保存为 postscript
文件canvas.postscript(file="file_name.ps", colormode='color')
所以,我想知道是否有任何方法(任何 python 模块?)可以让我将 postscript 文件作为图像插入到 pdf 文件中。
是否可以?
最佳答案
正如 this answer 中提到的,一个可能的解决方法是打开一个子进程来使用 ghostscript :
canvas.postscript(file="tmp.ps", colormode='color')
process = subprocess.Popen(["ps2pdf", "tmp.ps", "result.pdf"], shell=True)
另一种解决方案是使用 ReportLab ,但由于其
addPostScriptCommand
不是很可靠,我认为您必须先使用 Python Imaging Library 将 PS 文件转换为图像,然后将其添加到 ReportLab Canvas 。但是,我建议使用 ghostscript 方法。这是我用来查看它是否有效的基本概念证明:
"""
Setup for Ghostscript 9.07:
Download it from http://www.ghostscript.com/GPL_Ghostscript_9.07.html
and add `/path/to/gs9.07/bin/` and `/path/to/gs9.07/lib/` to your path.
"""
import Tkinter as tk
import subprocess
import os
class App(tk.Tk):
def __init__(self):
tk.Tk.__init__(self)
self.title("Canvas2PDF")
self.line_start = None
self.canvas = tk.Canvas(self, width=300, height=300, bg="white")
self.canvas.bind("<Button-1>", lambda e: self.draw(e.x, e.y))
self.button = tk.Button(self, text="Generate PDF",
command=self.generate_pdf)
self.canvas.pack()
self.button.pack(pady=10)
def draw(self, x, y):
if self.line_start:
x_origin, y_origin = self.line_start
self.canvas.create_line(x_origin, y_origin, x, y)
self.line_start = None
else:
self.line_start = (x, y)
def generate_pdf(self):
self.canvas.postscript(file="tmp.ps", colormode='color')
process = subprocess.Popen(["ps2pdf", "tmp.ps", "result.pdf"], shell=True)
process.wait()
os.remove("tmp.ps")
self.destroy()
app = App()
app.mainloop()
关于Python tkinter 将 Canvas 保存为 postscript 并添加到 pdf,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/17877495/