我正在用Python(PyGTK)编写一个小程序,该程序可以打印出用户输入的一年的日历(Gregorian)。

这是我的代码:

#!/usr/bin/env python

import pygtk, gtk, subprocess
pygtk.require("2.0")

class Base:
    def printing(self, widget):
        text = self.textbox.get_text()
        printingit = "cal -y %s | lpr" % (text)
        process = subprocess.Popen(printingit.split(), stdout=subprocess.PIPE)
        output = process.communicate()[0]

    def __init__(self):
            self.win = gtk.Window(gtk.WINDOW_TOPLEVEL)
            self.win.set_position(gtk.WIN_POS_CENTER)
            self.win.set_size_request(350, 200)
        self.win.set_resizable(False)
        self.win.set_title("Calendar")
        self.win.connect('destroy',lambda w: gtk.main_quit())

        self.textbox = gtk.Entry()
        self.textbox.set_size_request(70, 30)

        self.lable = gtk.Label("Year:")

        self.button = gtk.Button("Print")
        self.button.set_size_request(60, 45)
        self.button.connect("clicked", self.printing)

        box = gtk.Fixed()
        box.put(self.lable, 160, 25)
        box.put(self.textbox, 140, 40)
        box.put(self.button, 145, 100)

        self.win.add(box)
        self.win.show_all()

    def main(self):
        gtk.main()

if __name__ == "__main__":
    base = Base()
    base.main()


实际打印命令cal -y %s | lpr % (text)时,它不起作用。我已经做到了,因此它将文本框的文本替换为应该获得的最终命令,并且将其更改为我想要的cal -y 2015 | lpr。我只是尝试将其放入终端机,并且像往常一样工作,这让我很困惑!

我在终端中运行了程序,这是我尝试打印时收到的消息:

Usage: cal [general options] [-hjy] [[month] year]
   cal [general options] [-hj] [-m month] [year]
   ncal [general options] [-bhJjpwySM] [-s country_code] [[month] year]
   ncal [general options] [-bhJeoSM] [year]
General options: [-NC3] [-A months] [-B months]
For debug the highlighting: [-H yyyy-mm-dd] [-d yyyy-mm]


如果有人知道为什么会这样,我将非常感谢!预先谢谢你= D


哈里

最佳答案

如果要在命令中使用外壳语法(管道),则需要将命令作为字符串传递给Popen构造函数,而不是作为列表传递。并且您必须使用shell=True

output = subprocess.check_output(printingit, shell=True)


否则,执行的命令将与以下命令相同:

cal '-y' 'text' '|' 'lpr'

但是,当您从文本字段获取输入的一部分时,您不应直接将其传递给shell。

或者,您可以自己创建管道:

lpr = subprocess.Popen('lpr', stdin=subprocess.PIPE, stdout=subprocess.PIPE)
process = subprocess.Popen(['cal', '-y', text], stdout=lpr.stdin)
output = lpr.communicate()
process.wait()


顺便说一句,可以使用cal模块来代替使用子进程来调用calendarcal -y 2012calendar.calendar(2014)相同,因此您可以将代码替换为:

cal = calendar.calendar(int(text))
process = subprocess.Popen(['lpr'], stdin=subprocess.PIPE, stdout=subprocess.PIPE)
output = process.communicate(cal)   # cal.encode(locale.getpreferredencoding(False)) for python3

关于python - 通过Python打印日历。代码不起作用=/,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23328861/

10-12 21:24