我正在实现一个程序,该程序可以收听特定主题并在我的 ESP8266 发布新消息时对其使用react。当收到来自 ESP8266 的新消息时,我的程序将触发回调并执行一组任务。我在我的回调函数中发布两条消息回到 Arduino 正在监听的主题。但是,只有在函数退出后才会发布消息。
提前感谢您的所有时间。
我尝试在回调函数中使用超时为 1 秒的 loop(1)。程序会立即发布消息,但似乎卡在了循环中。有人能给我一些指示,如何在我的回调函数中立即执行每个发布函数,而不是在整个回调完成并返回到主 loop_forever() 时?
import paho.mqtt.client as mqtt
import subprocess
import time
# The callback for when the client receives a CONNACK response from the server.
def on_connect(client, userdata, flags, rc):
print("Connected with result code "+str(rc))
# Subscribing in on_connect() means that if we lose the connection and
# reconnect then subscriptions will be renewed.
client.subscribe("ESP8266")
# The callback for when a PUBLISH message is received from the server.
def on_message(client, userdata, msg):
print(msg.topic+" "+str(msg.payload))
client.publish("cooking", '4')
client.loop(1)
print("Busy status published back to ESP8266")
time.sleep(5)
print("Starting playback.")
client.publish("cooking", '3')
client.loop(1)
print("Free status published published back to ESP8266")
time.sleep(5)
print("End of playback.")
client = mqtt.Client()
client.on_connect = on_connect
client.on_message = on_message
client.connect("192.168.1.9", 1883, 60)
#client.loop_start()
# Blocking call that processes network traffic, dispatches callbacks and
# handles reconnecting.
# Other loop*() functions are available that give a threaded interface and a
# manual interface.
client.loop_forever()
最佳答案
您不能这样做,在您调用发布时,您已经处于消息处理循环中(这就是所谓的 on_message 函数)。这将使传出消息排队以供循环的下一次迭代处理,这就是为什么一旦 on_message 返回它们就会被发送。
当您调用循环方法时它会挂起,因为循环已经在运行。
无论如何,您不应该在 on_message 回调中进行阻塞( sleep )调用,如果您需要做一些需要时间的事情,请启动第二个线程来执行这些操作。通过这样做,您可以释放网络循环,以便在发布后立即处理它们。
关于Python Paho MQTT : Unable to publish immediately in a function,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36961758/