In this tutorial we will look at how you publish messages using the Paho Python MQTT client.
We will use an example python script to publish messages, process the publish acknowledgements and examine QOS (quality of service) settings.
Important Note feb 2024: The MQTT Python client has been upgraded to version 2.The code examples were written in version 1.5 . The change appears only to affect the callbacks which now have a properties field. This is for MQTTv5 compliance. You may need to add this to the callbacks in the examples. Tks matt.
To publish a messages you use the publish method of the Paho MQTT Class object.
The publish method accepts 4 parameters. The parameters are shown below with their default values.
The only parameters you must supply are the topic, and the payload.
The payload is the message you want to publish.
Publishing a Message
To publish a message you need to:
- Create a client object.
- Create a client connection.
- publish the message
- Examine the return code of the publish request
- Examine the publish acknowledgement using the on_publish callback
Example code:
import paho.mqtt.client as paho
broker="192.168.1.184"
port=1883
def on_publish(client,userdata,result): #create function for callback
print("data published \n")
pass
client1= paho.Client("control1") #create client object
client1.on_publish = on_publish #assign function to callback
client1.connect(broker,port) #establish connection
ret= client1.publish("house/bulb1","on") #publish
Note 1: you don’t appear to need a client loop to process the on_publish callback.
Note2: When you publish a message the publish method returns a tuple (result, mid).
The result is the error code. A result of 0 indicates success.
The mid value is an integer that corresponds to the published message number as assigned by the client.
The mid value can be used with the on_publish callback to check that the messages was published even when publishing with a qos of 0.
If you publish with a qos of 0 the published message has a mid of 0 but internally it has a mid just like qos 1,2 messages.
So on the broker you see a mid of 0 but on the client you see an incrementing mid.
On_publish Callback
When the message has been published to the Broker an acknowledgement is sent that results in the on_publish callback being called.
The on_publish callback function must receive three parameters
on_publish(client, userdata, mid)
The client is the client object, and is useful when you have multiple clients that are publishing data.
The userdata is user defined data which isn’t normally used.
The mid value is the message id and can be used with the mid value returned from the publish method to check that a particular message has been published.
In the screen shot below I have printed the mid value from the publish message and on publish callback.
You can see that the numbers match which indicated that both messages were published OK
The on_publish callback is triggered even for a qos of 0 which doesn’t get an acknowledgement from the broker but the client generates a local one.
Message Flow and Quality of Service Example
If you want to try and ensure that the subscriber gets a message even though they might not be online then you need to publish with a quality of service of 1 or 2.
The schematic below shows the message flow between client and broker for messages with QOS of 0, 1 and 2.
The screen shot below shows the results of running a test Python script that publishes 3 messages with QOS of 0,1 and 2 respectively
Notice with QOS set to 2 there are more messages generated.
In addition messages sent with QOS of 0 are not acknowledged by the broker but instead by the sending client.
There is no guarantee that the broker received them. See:
Publishing on Restricted Topics
You may not be allowed to publish messages on certain topics.
This is controlled by the broker See Configuring Topic Restriction on Mosquitto.
However what happens if you do publish on a restricted topic?
Well as far as the client is concerned the publish succeeds, and if I run the previous script but restrict the topic then my client output would be identical to that shown above.
However this is what I would see on the Sever (broker)
Notice the denied publish message on the server console. Also notice the normal publish acknowledgement sequence.
However when using MQTTv5 you do get a error message in the reason code.
Retain Message Flag
When publishing a message you can also set the retain message flag.
This flag tells the broker to store the last message that you sent.
This is very useful if you only publish messages at infrequent intervals- See Retained messages-Example’
Disconnecting After Publish
If you only publish messages at infrequent intervals then you will probably want to disconnect the client between publishing.
You can use the disconnect method along with the on_disconnect callback for this.
This type of disconnect does not result in a last will and testament message.
def on_disconnect(client, userdata, rc):
print("client disconnected ok")
client1.on_disconnect = on_disconnect
client1.disconnect()
Publishing To Multiple Topic
You cannot use a wild card when publishing a message and so you cannot publish to multiple topics with a single publish.
If you need to publish to 10 different topics then you will need 10 separate publish messages.
Publishing and The Loop
Although you can publish messages without starting a loop (See the Loop) you will need to start a loop or call the loop to send automatic ping messages.
Therefore you may find that your client gets disconnected , and without the loop you don’t see the disconnect message.
Therefore if you do this you will need to consider setting the keepalive to a higher value (60 seconds by default).
Note: If you publish messages inside the keep alive value then the connection isn’t closed by the server/broker.
Publishing Using SSL
You will need to add a broker/server CA key to the client, See Configuring Mosquitto for SSL for details about keys.
You then use the client.tls_set function before you connect. E.G.
client.tls_set('c:/python34/steve/MQTT-demos/certs/ca.crt')
Depending on how you’ve configured the broker you may need to use the TLS version parameter (code below set client to use TLSv1.2.
client1.tls_set('c:/python34/steve/MQTT-demos/certs/ca.crt',tls_version=2)
Because SSL normally uses port 8883 you will also need to change the port when connecting.
Publishing Using WebSockets
You can also publish messages over webSockets. You need to tell the client to use Websockets when creating the client object as show below:
Use the command
client= paho.Client(“control1”,transport=’websockets’)
instead of simply
client= paho.Client(“control1”)
The publish uses the same procedure and process as standard MQTT. See My MQTT WebSockets Notes
Publishing Video
Here is a video that I created that covers the main points from above. Grateful of any feedback
Common Questions and Answers
Q- Do I know if and when my published messages have been received by a client?
A- No. You only know that the broker has received them, and then only if the QOS is set to 1 or above.
Q- What happens if I publish on the wrong topic?
A- Generally unless the topic has an invalid topic address you wont know.
Q- What happens if I publish on a restricted topic?
A- You wont know as it will appear to succeed.
Q- How do I know that no one else is using that topic?
A- You don’t. You could subscribe to the topic beforehand and look for activity.
Q- Can I publish on any topic that I want to?
A- Yes unless the broker administrator has configured topic restrictions.
Course Links
- Introduction to the Paho Python MQTT Client
- Introduction to the Client Class
- Connecting to a Broker
- Publishing Using The Paho Python MQTT Client
- –Subscribing using The Paho Python Client
- Receiving Messages with the Paho MQTT Python Client
- Understanding The Loop
- Understanding Callbacks
- Handling Multiple Client Connections
Related Tutorials
MQTT Publish and Subscribe for Beginners
Hi Steve. Great work as always. I have a question regarding publishing of messages. I am thinking of publishing 4 different messages at 4 different frequencies. And to achieve this, I am planning to set time.sleep() to different timeframes. However as I understand the network loop, I can only create a new thread using a new connection and I can only connect once. Do you think there is a way to achieve this?
Hi
The publish doesn’t need the loop unless you want to process the puback messages.
You don’t actually need another loop to publish at different rates just use a counter.
If you get stuck let me know and I’ll take a look.
You can create additional threads without creating a new connection but there is really no need and you can have multiple connections to the same broker or different brokers see http://www.steves-internet-guide.com/multiple-client-connections-python-mqtt/
rgds
steve
Thank you Steve for taking the time to reply!
Hey Steve, thanks for the great service with these tutorials. They help a lot!
I had a question: is it possible to publish messages directly to a MQTT client (skiping the broker), creating the messages and changing its parameters (like PacketID or dupflag for example)? I’m trying to test the robustness of some MQTT clients, so I need to publish directly to them.
Hi
No you need a broker for MQTT.
Hi steve
i really like your internet guide.
😀
Rgds
worcestershire
Hi Steve: Please don’t underestimate just how valuable your MQTT posts are – they provide the clearest and most concise practical info that I’ve found ‘out there’. This clearly comes from considerable expertise. Thank you. Nigel
Migel Tks for your support.
Rgds
Steve
Hi,
I have a strange issue, think it’s probably my lack of understanding about how the multi-threading works, I used to be a C programmer 30 years ago on basic single threaded apps., havent really done any programming for 25 years, just fumbling along with a bit of pythno.
I’m building an app to run on a raspberry pi, to receive MQTT messages from home assistant, to control a garage door opener.
I have an issue that the mqtt messages don’t get sent until the functions finish, and I can’t work out why.
In the ‘main’ function they send normally, but in the functions triggered by receiving an MQTT message, eg open the door, the responses to the MQTT gateway dont seem to send until the function completes and the application goes back into the forever loop.
Any suggestions
Thanks
Paul
Paul
A bit like me . I was programming C in the 80s and had a long break and started again with python.
Not really sure what is going on. Are you using loop_forever or loop_start or are you manually calling the loop?
If you want I can take a look contact me on the ask steve page and then you can email me the script.
http://www.steves-internet-guide.com/ask-steve/
Rgds
Steve
Hello Steve, I’m trying to do a simple project, I want to do a computer to computer communication using MQTT. But I found a problem with the subscribe script, it won’t show any message from the publisher (on_message) but shows that it successfully connect to the broker (on_connect) in the cmd terminal.
Here’s my script,
Publisher script
import time
import paho.mqtt.client as paho
broker = “localhost”
data = “1,2,3,4,5”
client = paho.Client(“X1”)
client.connect(broker)
client.loop_start()
client.publish(“list/number”, data)
print(“List : “, data)
time.sleep(5)
client.loop_stop()
client.disconnect()
Subscriber script
import time
import paho.mqtt.client as paho
broker = “localhost”
def on_message(client, userdata, message):
print(“Topic: “, message.topic)
print(“List: “, str(message.payload.decode(“utf-8”)))
def on_connect(client, userdata, flags, rc):
if rc == 0:
print(“Connected to MQTT Broker!”)
else:
print(“Failed to connect, return code %d\n”, rc)
client = paho.Client(“X1”)
client.on_connect=on_connect
client.connect(broker)
client.loop_start()
client.on_message=on_message
client.subscribe(“list/number”)
time.sleep(5)
client.loop_stop()
client.disconnect()
It would be really helpful if you can help me. Thank you in advance.
looks like a timing issue in the subscribe you need to set the callback before you start the loop and sleep longer say 50secs. Make sure you start the subscribe before you publish. Otherwise looks ok
Rgds
Steve
Thank you for your reply, i will try your suggestions. But just to make sure, you say that i have to make sure to start the subscribe before publish, do you mean that i need to add client.subscribe before client.publish in my publisher script?
NO. You need the subscribe script running before you publish.
Rgds
Steve
Hi Steve,
I need some help regarding my unique setup.
I have setup AWS IoT core with Custom authorizer with a Lambda service/function that authenticates using username and password. As per the AWS docs this is supported.. AWS docs also mention that
MQTT with SSL and username/password should use port 443. When I connect to this port, I don’t get any error message and I don’t see anything on the server end. I think the client silently fails.
Here is my snippet of paho client
#############################
import paho.mqtt.client as mqtt #import the client1
import time
############
def on_connect(client, userdata, flags, rc):
print(“Connected flags “,str(flags),”result code “,str(rc))
def on_message(client, userdata, message):
print(“message received ” ,str(message.payload.decode(“utf-8”)))
print(“message topic=”,message.topic)
print(“message qos=”,message.qos)
print(“message retain flag=”,message.retain)
########################################
broker_address=”My Device data endpoint address”
#broker_address=”iot.eclipse.org”
print(“creating new instance”)
client = mqtt.Client(“P1″) #create new instance
client.on_message=on_message #attach function to callback
client.on_connect=on_connect
client.tls_set(ca_certs=’C:/Users/SridharKondoji/Desktop/Sclera/AmazonRootCA1.pem’)
client.username_pw_set(username=”sri”, password=”sud”)
print(“connecting to broker”)
client.connect(host=broker_address, port=1883) #connect to broker
client.loop_start() #start the loop
print(“Subscribing to topic”,”house/bulbs/bulb1″)
client.subscribe(“house/bulbs/bulb1”)
print(“Publishing message to topic”,”house/bulbs/bulb1″)
client.publish(“house/bulbs/bulb1″,”OFF”)
time.sleep(4) # wait
client.loop_stop() #stop the loop
################################
My Paho client is trying to establish a connection but fails with following error
Traceback (most recent call last):
File “C:\Users\SridharKondoji\PycharmProjects\pythonProject\main.py”, line 21, in
client.connect(host=broker_address, port=1883) #connect to broker. Tried 443 as well.
File “C:\Users\SridharKondoji\PycharmProjects\pythonProject\venv\lib\site-packages\paho\mqtt\client.py”, line 941, in connect
return self.reconnect()
File “C:\Users\SridharKondoji\PycharmProjects\pythonProject\venv\lib\site-packages\paho\mqtt\client.py”, line 1075, in reconnect
sock = self._create_socket_connection()
File “C:\Users\SridharKondoji\PycharmProjects\pythonProject\venv\lib\site-packages\paho\mqtt\client.py”, line 3546, in _create_socket_connection
return socket.create_connection(addr, source_address=source, timeout=self._keepalive)
File “C:\Users\SridharKondoji\AppData\Local\Programs\Python\Python39\lib\socket.py”, line 843, in create_connection
raise err
File “C:\Users\SridharKondoji\AppData\Local\Programs\Python\Python39\lib\socket.py”, line 831, in create_connection
sock.connect(sa)
TimeoutError: [WinError 10060] A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond
Any help, on what’s wrong with my code?
Are you sure that the ports are open on the amazon instance. I haven’t used Amazon server for a while but I do remember all ports were blocked by default.
I would recommend you set up a locl server and get that working and that way you know the client side is OK. The try Amazon again.
Rgds
Steve
Hi Steve,
on_publish callback is called when an ack is sent, when the message has been published. How should I check if the ACK is not received? I need some kind of indication if the message is not published (ack not received) to log an error.
Regards
Hi
You need to set a timer and wait for the puback. If you haven’t got it after x secs then raise an error
Rgds
Steve
Hello Steve, I have a python script that starts an mqtt client and subscribes to a topic /motor. I have a JavaScript application that publishes messages to the topic /motor. Most of the time the message is processed instantaneously on the python side but sometimes the message is processed between 5 and 10 seconds. How can I debug this to find the causes of the slowness? Thank you
Hi
Are you sure it is the python script and not the Javascript one. Can you see the message being sent? Are you using a local broker.
If you are still stuck edit the Javascript script and send the message to the public broker test.mosquitto.org on topic sig/mapsy/test then use the ask steve page and send me the python script and I will take a look
rgds
Steve
Yes I receive message in python script, just sometimes it take times.
My python script is like this :
#!/usr/bin/env python3
#– coding: utf-8 —
import paho.mqtt.client as mqtt
import json
import base64
import os
# subscription to 10 topics
def on_connect(client, userdata, flags, rc):
log_event(“Connected to the MQTT server success with rc :” + str(rc))
client.subscribe(“topic1”)
client.subscribe(“topic2”)
client.subscribe(“topic3”)
client.subscribe(“topic4”)
client.subscribe(“topic5”)
client.subscribe(“topicXX”)
client.publish(“topic20”, “{\”status\”:\”ON\”}”)
def on_message(client, userdata, msg):
payload_string = msg.payload.decode(‘utf-8’)
if msg.topic == “topic1”:
print(“on message topic 1”)
if msg.topic == “topic2”:
print(“on message topic 2”)
if msg.topic == “topic3”:
print(“on message topic 3”)
if msg.topic == “topic4”:
print(“on message topic 4”)
if msg.topic == “topic5”:
print(“on message topic 5”)
client = mqtt.Client(“myClientId”)
client.username_pw_set(username=”login”, password=”password”)
client.on_connect = on_connect # Define callback function for successful connection
client.on_message = on_message # Define callback function for receipt of a message
client.connect(‘localhost’, 1883)
def process():
client.loop_start()
def my_thread_1(cient, killer):
#….. LOOP WHILE (true)
def my_thread_2(cient, killer):
#….. LOOP WHILE (true)
def my_thread_3(cient, killer):
#….. LOOP WHILE (true)
if __name__ == “__main__”:
try:
thread1 = Process(target=my_thread_1, args=(client, killer))
thread1.start()
thread2= threading.Thread(target=my_thread_2,)
thread2.start()
thread3 = threading.Thread(target=my_thread_3, args=(args[“frame_count”],))
thread3.daemon = True
thread3.start()
process()
except KeyboardInterrupt:
print(“KeyboardInterrupt”)
#In main function I start 4 thread and client.loop_start() function
I do receive the messages in the on_message method in python but sometimes in a totally random way the messages are received with a delay between 5 and 10 seconds.
My javascript code is located in a react native application
would you like me to send you the app to download? you can submit posts in topics.
Does it have a way to improve the speed of message transmission?
Not sure why you are starting threads. Can you explain what the script should do. If you can get the react script to publish to the public broker test.mosquitto.org I can pick up your data there use topic sig/mapsy/test.
Contact me on the ask steve page and we can talk via email
rgds
steve
Hi Steve! Thank you for the excellent material.
I posted this on another page, but I think this is the correct place to put it, so, sorry to repost here. I’m having trouble using QoS 2 in the publish function of the Paho library for Python. Here is the scenario: I have the Mosquitto broker installed on one computer and, on another computer, I am using 2 Python scripts (publisher and subscriber) to do some tests. To validate these scripts, I have used Mosquitto on the command line (to test the subscriber script, I publish with Mosquitto on the command line and also the other way around). The publisher script works correctly for QoS 0 and 1, but does not publish anything when I set QoS to 2. The subscriber script works correctly with QoS 2 (I tested it by publishing via the Mosquitto command line). The function I have used is this:
ret = client1.publish (topic, message, qs, retain = True)
On the tuple returned by method, the result value is always 0 (sucess).
where qs is an integer that I assign to previous lines. I’ve also tried with qos = qs, but it doesn’t publish anything.
Any idea where I might be going wrong?
Hi what version of the client are you using?
Hi Steve,
I want to send 1000 messages per second from client to broker. How to do that?
You will need to put the publish in a while loop and send . I doubt if you will get 100 messages per second.
Below is code I use on my tester. Adjust the delay to increase/decrease the message rate.
topic_out=”test”
delays=[0.1,0.005,0.001]
delay=delays[0]
count=1
stime=time.time()
loops=10000
topic_logger=True
#topic_logger=False
logging_test_json=True
#logging_test_json=False
topic1=”test/sensor1″
topic2=”test/sensor2″
try:
while count<=loops: client.loop(0.001) msg_out="test message" client.publish(topic_out,msg_out) #print("message ",msg_out) time.sleep(delay) count+=1 except KeyboardInterrupt: print("interrrupted by keyboard") mcount=mcount-1 print("messages sent loop count ",count-1) time_taken=time.time()-stime print("time taken = ",time_taken) message_rate=mcount/time_taken print("message_rate ",message_rate) msg_out={"messages":mcount,"time taken":time_taken,"message_rate":message_rate}
Why time.sleep(2) recommend to use after publish call ?
Hi Its isn’t recommended it just stops lots of messages being published.
rgds
steve
how to publish current date n time? this is my code. thx.
# import paho mqtt
import paho.mqtt.client as mqtt
# import time untuk sleep()
import time
# import datetime untuk mendapatkan waktu dan tanggal
import datetime
# definisikan nama broker yang akan digunakan
broker_address=”localhost”
# buat client baru bernama P2
print(“creating new instance”)
client = mqtt.Client(“P2”)
# koneksi ke broker
print(“connecting to broker”)
client.connect(broker_address, port=3333)
# mulai loop client
client.loop_start()
# lakukan 20x publish topik 1
print(“publish something”)
for i in range (20):
# sleep 1 detik
time.sleep(1)
# publish waktu sekarang topik 1
print(“Publishing message to topic”,”1″)
client.publish(“1”)
#stop loop
client.loop_stop()
Hi
try
localtime = time.localtime(time.time())
client.publish(“1”,localtime)
see
https://www.tutorialspoint.com/python/python_date_time.htm
Dear Mr. Steve
I appreciated your contribution. I try to create my own test system based on your tutorials.
Step 1. Install mosquitto on window machine and execute some test cases. Everything is OK
Step 2. Install paho in ubuntu machine. Write a client code by python to connect with Window machine.
I start mosquitto_sub on window machine and try to publish a message from ubuntu.
cmd terminal command
mosquitto_sub -t ‘test/topic2’
Code python in ubunutu in ex2.py
import paho.mqtt.client as paho
broker=”192.168.203.76″
port=1883
def on_publish(client,userdata,result): #create function for callback
print(“data published \n”)
pass
client1= paho.Client(“control1”) #create client object
client1.on_publish = on_publish #assign function to callback
client1.connect(broker,port) #establish connection
ret= client1.publish(“test/topic2″,”hello from ubuntu”) #publish
terminal command
$python ex2.py
(0,1)
Nothing displayed on terminal on window.
I already checked the network connection b/w 2 machines. It was fine. Is there any specific configuration in Mosquitto broker on window? Is possibility when the network firewall or something that terminated message? How can I check MQTT publish message flow from ubuntu machine.
Sincerely,
Thomas
The only thing that looks wrong is the mosquitto_sub doesn’t have the -h broker switch. Is that a typo?
rgds
steve
Hello, I have to use mqtt and for that i am going through your tutorial and i have a silly doubt like the code you have written in this tutorial for publishing messages, i used that code only and run it in jupyter notebook with a mosquitto broker, the code is running fine but i want to know:
where can i see the messages which i have published ?
can we have two way communication ?
can i send a video file through this ?
How can we store messages ?
Hi
To see messages that you have published you need to subscribe to the topics that you are publishing on.
Take a look here
http://www.steves-internet-guide.com/python-mqtt-publish-subscribe/
and for the file sending
http://www.steves-internet-guide.com/send-file-mqtt/
rgds
steve
Thanks for reply.
If other person wants to see the message which i have published how can he see the message he has to subscribe to the topic right but for that subscribe code has to run, my question is:
subscribe code can be run seperately. If yes, then how, like you have told in one of your tutorial we have to subscribe before publishing, but other person need not to be publish only we publish the message and other persons just have to read it.
sorry for the bad english.
Yes the other person needs to subscribe. If he hasn’t subscribed and the message is published then he misses the message.
MQTT works like TV. If your not watching TV when the 9pm news is on you miss it.
“”””For Publisher””””
import paho.mqtt.client as mqtt
broker = “test.mosquitto.org”
port = 1883
def on_publish(client, userdata, result):
print(“data published \n”)
pass
client1 = mqtt.Client(“control1”)
client1.on_publish = on_publish
client1.connect(broker, port)
client1.loop_start()
sub = client1.subscribe(“simpletext/msg”)
print(sub)
ret = client1.publish(“simpletext/msg “,”Hello good morning have a good day”)
print(ret)
client1.loop_stop()
output:-
(0,1)
(0,2)
data published
“”” For Subscriber”””
import paho.mqtt.client as mqtt
broker = “test.mosquitto.org”
port = 1883
client1 = mqtt.Client(“control1”)
client1.connect(broker, port)
client1.loop_start()
sub = client1.subscribe(“simpletext/msg”, 2)
print(sub)
client1.loop_stop()
output:
(0,1)
The thing is that for subscriber also message is not displayed it is giving an output in tuple form as you can see.
Help me to clarify my doubts.
Thank you
Hi Subscribing to a topic doesn’t return a message.
Messages are captured in the on_message callback.
See
http://www.steves-internet-guide.com/into-mqtt-python-client/
rgds
steve
Thanks Steve for helping me out and guiding me through my first mqtt program which did work.
I will be here again if i need some help .
Thanks a lot Steve.
Best Regards
Ankur
Hello,
I run on a rpi 3 with IO Pi Plus extender board and I want to run a python script that communicate with openhab2 through mqtt messages
the code
from IOPi import IOPi
import time
import paho.mqtt.client as mqtt
#import json
torec = 0
def on_message(client, userdata, message):
#print(“message received ” ,str(message.payload.decode(“utf-8”)))
#print(“message topic=”,message.topic)
#print(“message qos=”,message.qos)
#print(“message retain flag=”,message.retain)
if (message.retain == 0):
#print(“mqtt received”,message.topic,”=”,str(message.payload.decode(“utf-8”)))
#print(message.topic,str(message.payload.decode(“utf-8”)))
torec = print(message.topic,str(message.payload.decode(“utf-8”)))
def main():
# Create client instance and connect to localhost
client = mqtt.Client()
bus1 = IOPi(0x20)
bus2 = IOPi(0x21)
bus2.set_pin_direction(1, 1) # set pin 1 as an input
bus2.set_pin_pullup(1, 1) # enable the internal pull-up resistor on pin 1
bus2.invert_pin(1, 1) # invert pin 1 so a button press will register as 1
bus1.set_pin_direction(1, 0) # set pin 8 as an output
bus1.write_pin(1, 0) # turn off pin 8
while True:
client.connect(“localhost”,1883,60)
client.subscribe(“#”)
client.on_message=on_message
#print(“connecting to broker”)
client.loop_start() #start the loop
if (bus2.read_pin(1) == 1) and (bus1.read_pin(1) == 0) or (torec == “light/l01 ON”): # check to see if the button is pressed
print (‘button 1 pressed turn on switch 1’) # print a message to the screen
print(torec)
#value = bus2.read_interrupt_capture(0)
bus1.write_pin(1, 1) # turn on pin 1
client.publish(“light/l01”, “ON”)
time.sleep(1) # sleep 1s before checking the pin again
elif (bus2.read_pin(1) == 1) and (bus1.read_pin(1) == 1) or (torec == “light/l01 OFF”):
print (‘button 1 pressed turn off switch 1’) # print a message to the screen
print(torec)
bus1.write_pin(1, 0) # turn off pin 1
client.publish(“light/l01”, “OFF”)
time.sleep(1) # sleep 1s before checking the pin again
#time.sleep(1) # wait
client.loop_stop() #stop the loop
if __name__ == “__main__”:
main()
I have a problem when I run it. It send mqtt messeges just fine but it only receives only whatever send it from the code. It doesnt reveive messeges from other source.
The connect,subscribe,loop_start and stop should be outside the while loop. Correct that and try again.
If you still have problems use the ask-steve page and send me the code.
Rgds
Steve
Thank you that was the problem. Now if you can help me about the variable. When I run the shell it always print and the 0 that was declared at the begging and after that print the topic at it should.
Can you email me the script
Rgds
steve
I am trying to find an answer to the following questions:
1. Is it possible to connect from one MQTT client to multiple MQTT brokers?
In this case – does anything prevent me to use the same clientID for each connection?
2. I am writing an application where I am planning to have multiple MQTT clients (Client1 and Client2)
Is it possible to connect every client to a different MQTT broker?
If yes, what happens if Broker1 received data on TopicX that Client1 subscribed and Broker2 receives data on TopicX that Client2 subscribed – will Client1 and Client2 receive the data on the same TopicX?
Thank you in advance.
Question 1 Yes and Yes
questiom 2 Yes and Yes
Rgds
Steve
Hi. How we convert the received message from string to integer. I want to use integer received message in if loop and compare with numbers. Im using python3 and rpi3 b+.
Berk
hi
just use the int function
number=int(string)
rgds
steve
Can we make broker to broker communication? If one broker was down, it tells to another broker that it was down. Sorry for bad english
Currently no but I’m sure that will be developed as MQTT brokers become more established. However the client usually needs to detect a broker down so that it can switch to using another broker if one is configured
rgds
steve
Hello, I want to publish a message when I receive a certain message, my code is this:
import time
import paho.mqtt.client as mqtt
from pylab import *
from sunposition import sunpos
from datetime import datetime
def connect( client, userdata, flags, rc):
print (“Conectado”)
client.subscribe(my_topic)
mystring = ‘send’
b = bytes(mystring, ‘utf-8’)
cabeceraok = 0
def on_message( client, userdata, msg):
print(msg.payload)
client.publish(“GIJON/PANEL1/AZIMUTH”,9)
if(msg.payload == b):
client.publish(topic_az,str(9))
client = mqtt.Client()
client.on_connect = connect
client.on_message = recepcion
client.username_pw_set(mqttUser, mqttPassword)
client.connect(mqttServer,mqttPort,60)
client.loop_forever()
It receives the messages correctly but I cant get that client.publish to work. Can you give me some help?
hi
change
def on_message( client, userdata, msg):
to
def recepcion( client, userdata, msg):
rgds
steve
Messages published in 8883 port via TLS to a specific topic can be viewed in the 1883 port of mosquitto server in the same topic. Should that happen in a secure connection?
Yes that is the way it works. The SSL connection is a link from the client to broker it is not client to client. You can send messages into the broker using standard MQTT and receive with another client using MQTT over SSL or Websockets etc.
Does that make sense?
rgds
Steve
I’ve been unable to find out about publishing various payload types, like ‘comma seperated variable files’.
I’m appending 4 integer variables to a CSV text file to be used as a payload.
Have you any experience of this? I’m going to make a PayPal contribution from my company for all the help you’ve given me.
Hi
The payload is sent as binary data and so you can transmit what you want.
There are a couple of example tutorials and scripts that you might want to look at.
http://www.steves-internet-guide.com/send-file-mqtt/
http://www.steves-internet-guide.com/send-json-data-mqtt-python/
If you still have problems let me know and I’ll help you with the code.
rgds
steve
I’m using the paho mqtt broker in Raspbian Linux, and the ESP8266 Arduino PubSubClient.h library.
I’m getting a -2 result from the rc connection return code (connection refused due to bad client id).
I’ve read about clientid being restricted to alpha-numeric characters, no symbols like dashes etc, and that they have to be utf-8 encoded.
I see from your example in the line:
client1= paho.Client(“control1”)
that you’ve used a regular ascii string to create the clientID.
I’ve tried creating random clientID’s, but that requires a clean session to be set to true, and from the pubsubclient.h source code I don’t see the ability to set that anywhere. So best to avoid random ID’s.
I don’t know if my arduino client library and paho broker are even compatible, but for now I’ll assume it is and the clientID string just needs to be understood.
In your tutorial: “Paho Python MQTT Client Objects” it says clientID’s will be auto generated if the clientID parameter is left blank when clean session is set to true on instantiating a new client object. I don’t know if pubsubclient.h sets a clean session to true by default, or if it even uses that parameter.
What do you know about guidelines/restrictions etc on naming of clientID’s that aren’t rejected by the broker?
Alan
This is taken from the specification
The payload of the CONNECT Packet contains one or more length-prefixed fields, whose presence is 557 determined by the flags in the variable header. These fields, if present, MUST appear in the order Client 558 Identifier, Will Topic, Will Message, User Name, Password
[MQTT-3.1.3-1]. 559
3.1.3.1 Client Identifier 560 The Client Identifier (ClientId) identifies the Client to the Server. Each Client connecting to the Server has 561 a unique ClientId. The ClientId MUST be used by Clients and by Servers to identify state that they hold 562 relating to this MQTT Session between the Client and the Server
[MQTT-3.1.3-2]. 563
564 The Client Identifier (ClientId) MUST be present and MUST be the first field in the CONNECT packet 565 payload [MQTT-3.1.3-3]. 566
567 The ClientId MUST be a UTF-8 encoded string as defined in Section 1.5.3
[MQTT-3.1.3-4]. 568 569 The Server MUST allow ClientIds which are between 1 and 23 UTF-8 encoded bytes in length, and that 570 contain only the characters 571 “0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ”
Rgds
Steve