将消息发送到Python脚本

时间:2015-03-02 15:17:23

标签: python linux bash raspberry-pi daemon

我试图编写一个用于关闭的小python程序或重新启动我的Raspberry PI,由连接到GPIO的按钮驱动。该程序可以通过两个LED显示树莓PI(引导,运行,暂停,重新启动)的当前状态。 python程序作为守护进程执行,由init.d bash脚本启动(使用/etc/init.d/skeleton编写)。

现在我可以启动/停止/验证守护程序的状态,守护程序可以检查按钮连接的输入,执行命令" shutdown -h now"或" shutdown -r now"

为了显示raspberry PI的当前状态,我曾想过使用runlevels directorys中的一些脚本向守护进程发送消息,以更改leds的状态。 但我不知道如何在python程序中接收消息。

有人可以帮助我吗?

感谢。

2 个答案:

答案 0 :(得分:8)

有几种方法可以将消息从一个脚本/应用程序发送到另一个脚本/应用程序:

对于您的应用程序,有效的方法是使用命名管道。使用os.mkfifo创建它,在python应用程序中以只读方式打开它,然后等待它上面的消息。

如果您希望您的应用在等待时执行其他操作,我建议您以非阻塞模式打开管道以查找数据可用性而不会阻止您的脚本,如下例所示:

import os, time

pipe_path = "/tmp/mypipe"
if not os.path.exists(pipe_path):
    os.mkfifo(pipe_path)
# Open the fifo. We need to open in non-blocking mode or it will stalls until
# someone opens it for writting
pipe_fd = os.open(pipe_path, os.O_RDONLY | os.O_NONBLOCK)
with os.fdopen(pipe_fd) as pipe:
    while True:
        message = pipe.read()
        if message:
            print("Received: '%s'" % message)
        print("Doing other stuff")
        time.sleep(0.5)

然后,您可以使用命令

从bash脚本发送消息

echo "your message" > /tmp/mypipe

编辑:我无法让select.select正常工作(我只在C程序中使用它)所以我将我的推荐更改为非bloking模式。

答案 1 :(得分:1)

这个版本不是更方便吗? 在with循环中使用while true: costruct? 这样,即使管道文件管理出错,循环内的所有其他代码也是可执行的。最终我可以使用try: costuct  用于捕获错误。

import os, time

pipe_path = "/tmp/mypipe"
if not os.path.exists(pipe_path):
    os.mkfifo(pipe_path)
# Open the fifo. We need to open in non-blocking mode or it will stalls until
# someone opens it for writting
pipe_fd = os.open(pipe_path, os.O_RDONLY | os.O_NONBLOCK)

while True:
    with os.fdopen(pipe_fd) as pipe:
        message = pipe.read()
        if message:
            print("Received: '%s'" % message)

    print("Doing other stuff")
    time.sleep(0.5)