paho-mqtt


Namepaho-mqtt JSON
Version 2.1.0 PyPI version JSON
download
home_pageNone
SummaryMQTT version 5.0/3.1.1 client class
upload_time2024-04-29 19:52:55
maintainerNone
docs_urlNone
authorNone
requires_python>=3.7
licenseEPL-2.0 OR BSD-3-Clause
keywords paho
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            Eclipse Paho™ MQTT Python Client
================================

The `full documentation is available here <documentation_>`_.

**Warning breaking change** - Release 2.0 contains a breaking change; see the `release notes <https://github.com/eclipse/paho.mqtt.python/releases/tag/v2.0.0>`_ and `migration details <https://eclipse.dev/paho/files/paho.mqtt.python/html/migrations.html>`_.

This document describes the source code for the `Eclipse Paho <http://eclipse.org/paho/>`_ MQTT Python client library, which implements versions 5.0, 3.1.1, and 3.1 of the MQTT protocol.

This code provides a client class which enables applications to connect to an `MQTT <http://mqtt.org/>`_ broker to publish messages, and to subscribe to topics and receive published messages. It also provides some helper functions to make publishing one off messages to an MQTT server very straightforward.

It supports Python 3.7+.

The MQTT protocol is a machine-to-machine (M2M)/"Internet of Things" connectivity protocol. Designed as an extremely lightweight publish/subscribe messaging transport, it is useful for connections with remote locations where a small code footprint is required and/or network bandwidth is at a premium.

Paho is an `Eclipse Foundation <https://www.eclipse.org/org/foundation/>`_ project.

Contents
--------

* Installation_
* `Known limitations`_
* `Usage and API`_
    * `Getting Started`_
    * `Client`_
        * `Network loop`_
        * `Callbacks`_
        * `Logger`_
        * `External event loop support`_
        * `Global helper functions`_
    * `Publish`_
        * `Single`_
        * `Multiple`_
    * `Subscribe`_
        * `Simple`_
        * `Using Callback`_
* `Reporting bugs`_
* `More information`_


Installation
------------

The latest stable version is available in the Python Package Index (PyPi) and can be installed using

::

    pip install paho-mqtt

Or with ``virtualenv``:

::

    virtualenv paho-mqtt
    source paho-mqtt/bin/activate
    pip install paho-mqtt

To obtain the full code, including examples and tests, you can clone the git repository:

::

    git clone https://github.com/eclipse/paho.mqtt.python


Once you have the code, it can be installed from your repository as well:

::

    cd paho.mqtt.python
    pip install -e .

To perform all tests (including MQTT v5 tests), you also need to clone paho.mqtt.testing in paho.mqtt.python folder::

    git clone https://github.com/eclipse/paho.mqtt.testing.git
    cd paho.mqtt.testing
    git checkout a4dc694010217b291ee78ee13a6d1db812f9babd

Known limitations
-----------------

The following are the known unimplemented MQTT features.

When ``clean_session`` is False, the session is only stored in memory and not persisted. This means that
when the client is restarted (not just reconnected, the object is recreated usually because the
program was restarted) the session is lost. This results in a possible message loss.

The following part of the client session is lost:

* QoS 2 messages which have been received from the server, but have not been completely acknowledged.

  Since the client will blindly acknowledge any PUBCOMP (last message of a QoS 2 transaction), it
  won't hang but will lose this QoS 2 message.

* QoS 1 and QoS 2 messages which have been sent to the server, but have not been completely acknowledged.

  This means that messages passed to ``publish()`` may be lost. This could be mitigated by taking care
  that all messages passed to ``publish()`` have a corresponding ``on_publish()`` call or use `wait_for_publish`.

  It also means that the broker may have the QoS2 message in the session. Since the client starts
  with an empty session it don't know it and will reuse the mid. This is not yet fixed.

Also, when ``clean_session`` is True, this library will republish QoS > 0 message across network
reconnection. This means that QoS > 0 message won't be lost. But the standard says that
we should discard any message for which the publish packet was sent. Our choice means that
we are not compliant with the standard and it's possible for QoS 2 to be received twice.

You should set ``clean_session = False`` if you need the QoS 2 guarantee of only one delivery.

Usage and API
-------------

Detailed API documentation `is available online <documentation_>`_ or could be built from ``docs/`` and samples are available in the `examples`_ directory.

The package provides two modules, a full `Client` and few `helpers` for simple publishing or subscribing.

Getting Started
***************

Here is a very simple example that subscribes to the broker $SYS topic tree and prints out the resulting messages:

.. code:: python

    import paho.mqtt.client as mqtt

    # The callback for when the client receives a CONNACK response from the server.
    def on_connect(client, userdata, flags, reason_code, properties):
        print(f"Connected with result code {reason_code}")
        # Subscribing in on_connect() means that if we lose the connection and
        # reconnect then subscriptions will be renewed.
        client.subscribe("$SYS/#")

    # The callback for when a PUBLISH message is received from the server.
    def on_message(client, userdata, msg):
        print(msg.topic+" "+str(msg.payload))

    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
    mqttc.on_connect = on_connect
    mqttc.on_message = on_message

    mqttc.connect("mqtt.eclipseprojects.io", 1883, 60)

    # 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.
    mqttc.loop_forever()

Client
******

You can use the client class as an instance, within a class or by subclassing. The general usage flow is as follows:

* Create a client instance
* Connect to a broker using one of the ``connect*()`` functions
* Call one of the ``loop*()`` functions to maintain network traffic flow with the broker
* Use ``subscribe()`` to subscribe to a topic and receive messages
* Use ``publish()`` to publish messages to the broker
* Use ``disconnect()`` to disconnect from the broker

Callbacks will be called to allow the application to process events as necessary. These callbacks are described below.

Network loop
````````````

These functions are the driving force behind the client. If they are not
called, incoming network data will not be processed and outgoing network data
will not be sent. There are four options for managing the
network loop. Three are described here, the fourth in "External event loop
support" below. Do not mix the different loop functions.

loop_start() / loop_stop()
''''''''''''''''''''''''''

.. code:: python

    mqttc.loop_start()

    while True:
        temperature = sensor.blocking_read()
        mqttc.publish("paho/temperature", temperature)

    mqttc.loop_stop()

These functions implement a threaded interface to the network loop. Calling
`loop_start()` once, before or after ``connect*()``, runs a thread in the
background to call `loop()` automatically. This frees up the main thread for
other work that may be blocking. This call also handles reconnecting to the
broker. Call `loop_stop()` to stop the background thread.
The loop is also stopped if you call `disconnect()`.

loop_forever()
''''''''''''''

.. code:: python

    mqttc.loop_forever(retry_first_connection=False)

This is a blocking form of the network loop and will not return until the
client calls `disconnect()`. It automatically handles reconnecting.

Except for the first connection attempt when using `connect_async`, use
``retry_first_connection=True`` to make it retry the first connection.

*Warning*: This might lead to situations where the client keeps connecting to an
non existing host without failing.

loop()
''''''

.. code:: python

    run = True
    while run:
        rc = mqttc.loop(timeout=1.0)
        if rc != 0:
            # need to handle error, possible reconnecting or stopping the application

Call regularly to process network events. This call waits in ``select()`` until
the network socket is available for reading or writing, if appropriate, then
handles the incoming/outgoing data. This function blocks for up to ``timeout``
seconds. ``timeout`` must not exceed the ``keepalive`` value for the client or
your client will be regularly disconnected by the broker.

Using this kind of loop, require you to handle reconnection strategie.


Callbacks
`````````

The interface to interact with paho-mqtt include various callback that are called by
the library when some events occur.

The callbacks are functions defined in your code, to implement the require action on those events. This could
be simply printing received message or much more complex behaviour.

Callbacks API is versioned, and the selected version is the `CallbackAPIVersion` you provided to `Client`
constructor. Currently two version are supported:

* ``CallbackAPIVersion.VERSION1``: it's the historical version used in paho-mqtt before version 2.0.
  It's the API used before the introduction of `CallbackAPIVersion`.
  This version is deprecated and will be removed in paho-mqtt version 3.0.
* ``CallbackAPIVersion.VERSION2``: This version is more consistent between protocol MQTT 3.x and MQTT 5.x. It's also
  much more usable with MQTT 5.x since reason code and properties are always provided when available.
  It's recommended for all user to upgrade to this version. It's highly recommended for MQTT 5.x user.

The following callbacks exists:

* `on_connect()`: called when the CONNACK from the broker is received. The call could be for a refused connection,
  check the reason_code to see if the connection is successful or rejected.
* `on_connect_fail()`: called by `loop_forever()` and `loop_start()` when the TCP connection failed to establish.
  This callback is not called when using `connect()` or `reconnect()` directly. It's only called following
  an automatic (re)connection made by `loop_start()` and `loop_forever()`
* `on_disconnect()`: called when the connection is closed.
* `on_message()`: called when a MQTT message is received from the broker.
* `on_publish()`: called when an MQTT message was sent to the broker. Depending on QoS level the callback is called
  at different moment:

  * For QoS == 0, it's called as soon as the message is sent over the network. This could be before the corresponding ``publish()`` return.
  * For QoS == 1, it's called when the corresponding PUBACK is received from the broker
  * For QoS == 2, it's called when the corresponding PUBCOMP is received from the broker
* `on_subscribe()`: called when the SUBACK is received from the broker
* `on_unsubscribe()`: called when the UNSUBACK is received from the broker
* `on_log()`: called when the library log a message
* `on_socket_open`, `on_socket_close`, `on_socket_register_write`, `on_socket_unregister_write`: callbacks used for external loop support. See below for details.

For the signature of each callback, see the `online documentation <documentation_>`_.

Subscriber example
''''''''''''''''''

.. code:: python

    import paho.mqtt.client as mqtt

    def on_subscribe(client, userdata, mid, reason_code_list, properties):
        # Since we subscribed only for a single channel, reason_code_list contains
        # a single entry
        if reason_code_list[0].is_failure:
            print(f"Broker rejected you subscription: {reason_code_list[0]}")
        else:
            print(f"Broker granted the following QoS: {reason_code_list[0].value}")

    def on_unsubscribe(client, userdata, mid, reason_code_list, properties):
        # Be careful, the reason_code_list is only present in MQTTv5.
        # In MQTTv3 it will always be empty
        if len(reason_code_list) == 0 or not reason_code_list[0].is_failure:
            print("unsubscribe succeeded (if SUBACK is received in MQTTv3 it success)")
        else:
            print(f"Broker replied with failure: {reason_code_list[0]}")
        client.disconnect()

    def on_message(client, userdata, message):
        # userdata is the structure we choose to provide, here it's a list()
        userdata.append(message.payload)
        # We only want to process 10 messages
        if len(userdata) >= 10:
            client.unsubscribe("$SYS/#")

    def on_connect(client, userdata, flags, reason_code, properties):
        if reason_code.is_failure:
            print(f"Failed to connect: {reason_code}. loop_forever() will retry connection")
        else:
            # we should always subscribe from on_connect callback to be sure
            # our subscribed is persisted across reconnections.
            client.subscribe("$SYS/#")

    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
    mqttc.on_connect = on_connect
    mqttc.on_message = on_message
    mqttc.on_subscribe = on_subscribe
    mqttc.on_unsubscribe = on_unsubscribe
    
    mqttc.user_data_set([])
    mqttc.connect("mqtt.eclipseprojects.io")
    mqttc.loop_forever()
    print(f"Received the following message: {mqttc.user_data_get()}")

publisher example
'''''''''''''''''

.. code:: python

    import time
    import paho.mqtt.client as mqtt

    def on_publish(client, userdata, mid, reason_code, properties):
        # reason_code and properties will only be present in MQTTv5. It's always unset in MQTTv3
        try:
            userdata.remove(mid)
        except KeyError:
            print("on_publish() is called with a mid not present in unacked_publish")
            print("This is due to an unavoidable race-condition:")
            print("* publish() return the mid of the message sent.")
            print("* mid from publish() is added to unacked_publish by the main thread")
            print("* on_publish() is called by the loop_start thread")
            print("While unlikely (because on_publish() will be called after a network round-trip),")
            print(" this is a race-condition that COULD happen")
            print("")
            print("The best solution to avoid race-condition is using the msg_info from publish()")
            print("We could also try using a list of acknowledged mid rather than removing from pending list,")
            print("but remember that mid could be re-used !")

    unacked_publish = set()
    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
    mqttc.on_publish = on_publish
    
    mqttc.user_data_set(unacked_publish)
    mqttc.connect("mqtt.eclipseprojects.io")
    mqttc.loop_start()

    # Our application produce some messages
    msg_info = mqttc.publish("paho/test/topic", "my message", qos=1)
    unacked_publish.add(msg_info.mid)

    msg_info2 = mqttc.publish("paho/test/topic", "my message2", qos=1)
    unacked_publish.add(msg_info2.mid)
    
    # Wait for all message to be published
    while len(unacked_publish):
        time.sleep(0.1)

    # Due to race-condition described above, the following way to wait for all publish is safer
    msg_info.wait_for_publish()
    msg_info2.wait_for_publish()

    mqttc.disconnect()
    mqttc.loop_stop()


Logger
``````

The Client emit some log message that could be useful during troubleshooting. The easiest way to
enable logs is the call `enable_logger()`. It's possible to provide a custom logger or let the
default logger being used.

Example:

.. code:: python

    import logging
    import paho.mqtt.client as mqtt

    logging.basicConfig(level=logging.DEBUG)

    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
    mqttc.enable_logger()

    mqttc.connect("mqtt.eclipseprojects.io", 1883, 60)
    mqttc.loop_start()

    # Do additional action needed, publish, subscribe, ...
    [...]

It's also possible to define a on_log callback that will receive a copy of all log messages. Example:

.. code:: python

    import paho.mqtt.client as mqtt

    def on_log(client, userdata, paho_log_level, messages):
        if paho_log_level == mqtt.LogLevel.MQTT_LOG_ERR:
            print(message)

    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
    mqttc.on_log = on_log

    mqttc.connect("mqtt.eclipseprojects.io", 1883, 60)
    mqttc.loop_start()

    # Do additional action needed, publish, subscribe, ...
    [...]


The correspondence with Paho logging levels and standard ones is the following:

====================  ===============
Paho                  logging
====================  ===============
``MQTT_LOG_ERR``      ``logging.ERROR``
``MQTT_LOG_WARNING``  ``logging.WARNING``
``MQTT_LOG_NOTICE``   ``logging.INFO`` *(no direct equivalent)*
``MQTT_LOG_INFO``     ``logging.INFO``
``MQTT_LOG_DEBUG``    ``logging.DEBUG``
====================  ===============


External event loop support
```````````````````````````

To support other network loop like asyncio (see examples_), the library expose some
method and callback to support those use-case.

The following loop method exists:

* `loop_read`: should be called when the socket is ready for reading.
* `loop_write`: should be called when the socket is ready for writing AND the library want to write data.
* `loop_misc`: should be called every few seconds to handle message retrying and pings.

In pseudo code, it give the following:

.. code:: python

    while run:
        if need_read:
            mqttc.loop_read()
        if need_write:
            mqttc.loop_write()
        mqttc.loop_misc()

        if not need_read and not need_write:
            # But don't wait more than few seconds, loop_misc() need to be called regularly
            wait_for_change_in_need_read_or_write()
        updated_need_read_and_write()

The tricky part is implementing the update of need_read / need_write and wait for condition change. To support
this, the following method exists:

* `socket()`: which return the socket object when the TCP connection is open.
  This call is particularly useful for select_ based loops. See ``examples/loop_select.py``.
* `want_write()`: return true if there is data  waiting to be written. This is close to the
  ``need_writew`` of above pseudo-code, but you should also check whether the socket is ready for writing.
* callbacks ``on_socket_*``:

    * `on_socket_open`: called when the socket is opened.
    * `on_socket_close`: called when the socket is about to be closed.
    * `on_socket_register_write`: called when there is data the client want to write on the socket
    * `on_socket_unregister_write`: called when there is no more data to write on the socket.

  Callbacks are particularly useful for event loops where you register or unregister a socket
  for reading+writing. See ``examples/loop_asyncio.py`` for an example.

.. _select: https://docs.python.org/3/library/select.html#select.select

The callbacks are always called in this order:

- `on_socket_open`
- Zero or more times:

  - `on_socket_register_write`
  - `on_socket_unregister_write`

- `on_socket_close`

Global helper functions
```````````````````````

The client module also offers some global helper functions.

``topic_matches_sub(sub, topic)`` can be used to check whether a ``topic``
matches a ``subscription``.

For example:

    the topic ``foo/bar`` would match the subscription ``foo/#`` or ``+/bar``

    the topic ``non/matching`` would not match the subscription ``non/+/+``


Publish
*******

This module provides some helper functions to allow straightforward publishing
of messages in a one-shot manner. In other words, they are useful for the
situation where you have a single/multiple messages you want to publish to a
broker, then disconnect with nothing else required.

The two functions provided are `single()` and `multiple()`.

Both functions include support for MQTT v5.0, but do not currently let you
set any properties on connection or when sending messages.

Single
``````

Publish a single message to a broker, then disconnect cleanly.

Example:

.. code:: python

    import paho.mqtt.publish as publish

    publish.single("paho/test/topic", "payload", hostname="mqtt.eclipseprojects.io")

Multiple
````````

Publish multiple messages to a broker, then disconnect cleanly.

Example:

.. code:: python

    from paho.mqtt.enums import MQTTProtocolVersion
    import paho.mqtt.publish as publish

    msgs = [{'topic':"paho/test/topic", 'payload':"multiple 1"},
        ("paho/test/topic", "multiple 2", 0, False)]
    publish.multiple(msgs, hostname="mqtt.eclipseprojects.io", protocol=MQTTProtocolVersion.MQTTv5)


Subscribe
*********

This module provides some helper functions to allow straightforward subscribing
and processing of messages.

The two functions provided are `simple()` and `callback()`.

Both functions include support for MQTT v5.0, but do not currently let you
set any properties on connection or when subscribing.

Simple
``````

Subscribe to a set of topics and return the messages received. This is a
blocking function.

Example:

.. code:: python

    import paho.mqtt.subscribe as subscribe

    msg = subscribe.simple("paho/test/topic", hostname="mqtt.eclipseprojects.io")
    print("%s %s" % (msg.topic, msg.payload))

Using Callback
``````````````

Subscribe to a set of topics and process the messages received using a user
provided callback.

Example:

.. code:: python

    import paho.mqtt.subscribe as subscribe

    def on_message_print(client, userdata, message):
        print("%s %s" % (message.topic, message.payload))
        userdata["message_count"] += 1
        if userdata["message_count"] >= 5:
            # it's possible to stop the program by disconnecting
            client.disconnect()

    subscribe.callback(on_message_print, "paho/test/topic", hostname="mqtt.eclipseprojects.io", userdata={"message_count": 0})


Reporting bugs
--------------

Please report bugs in the issues tracker at https://github.com/eclipse/paho.mqtt.python/issues.

More information
----------------

Discussion of the Paho clients takes place on the `Eclipse paho-dev mailing list <https://dev.eclipse.org/mailman/listinfo/paho-dev>`_.

General questions about the MQTT protocol itself (not this library) are discussed in the `MQTT Google Group <https://groups.google.com/forum/?fromgroups#!forum/mqtt>`_.

There is much more information available via the `MQTT community site <http://mqtt.org/>`_.

.. _examples: https://github.com/eclipse/paho.mqtt.python/tree/master/examples
.. _documentation: https://eclipse.dev/paho/files/paho.mqtt.python/html/client.html

            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "paho-mqtt",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": null,
    "keywords": "paho",
    "author": null,
    "author_email": "Roger Light <roger@atchoo.org>",
    "download_url": "https://files.pythonhosted.org/packages/39/15/0a6214e76d4d32e7f663b109cf71fb22561c2be0f701d67f93950cd40542/paho_mqtt-2.1.0.tar.gz",
    "platform": null,
    "description": "Eclipse Paho\u2122 MQTT Python Client\n================================\n\nThe `full documentation is available here <documentation_>`_.\n\n**Warning breaking change** - Release 2.0 contains a breaking change; see the `release notes <https://github.com/eclipse/paho.mqtt.python/releases/tag/v2.0.0>`_ and `migration details <https://eclipse.dev/paho/files/paho.mqtt.python/html/migrations.html>`_.\n\nThis document describes the source code for the `Eclipse Paho <http://eclipse.org/paho/>`_ MQTT Python client library, which implements versions 5.0, 3.1.1, and 3.1 of the MQTT protocol.\n\nThis code provides a client class which enables applications to connect to an `MQTT <http://mqtt.org/>`_ broker to publish messages, and to subscribe to topics and receive published messages. It also provides some helper functions to make publishing one off messages to an MQTT server very straightforward.\n\nIt supports Python 3.7+.\n\nThe MQTT protocol is a machine-to-machine (M2M)/\"Internet of Things\" connectivity protocol. Designed as an extremely lightweight publish/subscribe messaging transport, it is useful for connections with remote locations where a small code footprint is required and/or network bandwidth is at a premium.\n\nPaho is an `Eclipse Foundation <https://www.eclipse.org/org/foundation/>`_ project.\n\nContents\n--------\n\n* Installation_\n* `Known limitations`_\n* `Usage and API`_\n    * `Getting Started`_\n    * `Client`_\n        * `Network loop`_\n        * `Callbacks`_\n        * `Logger`_\n        * `External event loop support`_\n        * `Global helper functions`_\n    * `Publish`_\n        * `Single`_\n        * `Multiple`_\n    * `Subscribe`_\n        * `Simple`_\n        * `Using Callback`_\n* `Reporting bugs`_\n* `More information`_\n\n\nInstallation\n------------\n\nThe latest stable version is available in the Python Package Index (PyPi) and can be installed using\n\n::\n\n    pip install paho-mqtt\n\nOr with ``virtualenv``:\n\n::\n\n    virtualenv paho-mqtt\n    source paho-mqtt/bin/activate\n    pip install paho-mqtt\n\nTo obtain the full code, including examples and tests, you can clone the git repository:\n\n::\n\n    git clone https://github.com/eclipse/paho.mqtt.python\n\n\nOnce you have the code, it can be installed from your repository as well:\n\n::\n\n    cd paho.mqtt.python\n    pip install -e .\n\nTo perform all tests (including MQTT v5 tests), you also need to clone paho.mqtt.testing in paho.mqtt.python folder::\n\n    git clone https://github.com/eclipse/paho.mqtt.testing.git\n    cd paho.mqtt.testing\n    git checkout a4dc694010217b291ee78ee13a6d1db812f9babd\n\nKnown limitations\n-----------------\n\nThe following are the known unimplemented MQTT features.\n\nWhen ``clean_session`` is False, the session is only stored in memory and not persisted. This means that\nwhen the client is restarted (not just reconnected, the object is recreated usually because the\nprogram was restarted) the session is lost. This results in a possible message loss.\n\nThe following part of the client session is lost:\n\n* QoS 2 messages which have been received from the server, but have not been completely acknowledged.\n\n  Since the client will blindly acknowledge any PUBCOMP (last message of a QoS 2 transaction), it\n  won't hang but will lose this QoS 2 message.\n\n* QoS 1 and QoS 2 messages which have been sent to the server, but have not been completely acknowledged.\n\n  This means that messages passed to ``publish()`` may be lost. This could be mitigated by taking care\n  that all messages passed to ``publish()`` have a corresponding ``on_publish()`` call or use `wait_for_publish`.\n\n  It also means that the broker may have the QoS2 message in the session. Since the client starts\n  with an empty session it don't know it and will reuse the mid. This is not yet fixed.\n\nAlso, when ``clean_session`` is True, this library will republish QoS > 0 message across network\nreconnection. This means that QoS > 0 message won't be lost. But the standard says that\nwe should discard any message for which the publish packet was sent. Our choice means that\nwe are not compliant with the standard and it's possible for QoS 2 to be received twice.\n\nYou should set ``clean_session = False`` if you need the QoS 2 guarantee of only one delivery.\n\nUsage and API\n-------------\n\nDetailed API documentation `is available online <documentation_>`_ or could be built from ``docs/`` and samples are available in the `examples`_ directory.\n\nThe package provides two modules, a full `Client` and few `helpers` for simple publishing or subscribing.\n\nGetting Started\n***************\n\nHere is a very simple example that subscribes to the broker $SYS topic tree and prints out the resulting messages:\n\n.. code:: python\n\n    import paho.mqtt.client as mqtt\n\n    # The callback for when the client receives a CONNACK response from the server.\n    def on_connect(client, userdata, flags, reason_code, properties):\n        print(f\"Connected with result code {reason_code}\")\n        # Subscribing in on_connect() means that if we lose the connection and\n        # reconnect then subscriptions will be renewed.\n        client.subscribe(\"$SYS/#\")\n\n    # The callback for when a PUBLISH message is received from the server.\n    def on_message(client, userdata, msg):\n        print(msg.topic+\" \"+str(msg.payload))\n\n    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)\n    mqttc.on_connect = on_connect\n    mqttc.on_message = on_message\n\n    mqttc.connect(\"mqtt.eclipseprojects.io\", 1883, 60)\n\n    # Blocking call that processes network traffic, dispatches callbacks and\n    # handles reconnecting.\n    # Other loop*() functions are available that give a threaded interface and a\n    # manual interface.\n    mqttc.loop_forever()\n\nClient\n******\n\nYou can use the client class as an instance, within a class or by subclassing. The general usage flow is as follows:\n\n* Create a client instance\n* Connect to a broker using one of the ``connect*()`` functions\n* Call one of the ``loop*()`` functions to maintain network traffic flow with the broker\n* Use ``subscribe()`` to subscribe to a topic and receive messages\n* Use ``publish()`` to publish messages to the broker\n* Use ``disconnect()`` to disconnect from the broker\n\nCallbacks will be called to allow the application to process events as necessary. These callbacks are described below.\n\nNetwork loop\n````````````\n\nThese functions are the driving force behind the client. If they are not\ncalled, incoming network data will not be processed and outgoing network data\nwill not be sent. There are four options for managing the\nnetwork loop. Three are described here, the fourth in \"External event loop\nsupport\" below. Do not mix the different loop functions.\n\nloop_start() / loop_stop()\n''''''''''''''''''''''''''\n\n.. code:: python\n\n    mqttc.loop_start()\n\n    while True:\n        temperature = sensor.blocking_read()\n        mqttc.publish(\"paho/temperature\", temperature)\n\n    mqttc.loop_stop()\n\nThese functions implement a threaded interface to the network loop. Calling\n`loop_start()` once, before or after ``connect*()``, runs a thread in the\nbackground to call `loop()` automatically. This frees up the main thread for\nother work that may be blocking. This call also handles reconnecting to the\nbroker. Call `loop_stop()` to stop the background thread.\nThe loop is also stopped if you call `disconnect()`.\n\nloop_forever()\n''''''''''''''\n\n.. code:: python\n\n    mqttc.loop_forever(retry_first_connection=False)\n\nThis is a blocking form of the network loop and will not return until the\nclient calls `disconnect()`. It automatically handles reconnecting.\n\nExcept for the first connection attempt when using `connect_async`, use\n``retry_first_connection=True`` to make it retry the first connection.\n\n*Warning*: This might lead to situations where the client keeps connecting to an\nnon existing host without failing.\n\nloop()\n''''''\n\n.. code:: python\n\n    run = True\n    while run:\n        rc = mqttc.loop(timeout=1.0)\n        if rc != 0:\n            # need to handle error, possible reconnecting or stopping the application\n\nCall regularly to process network events. This call waits in ``select()`` until\nthe network socket is available for reading or writing, if appropriate, then\nhandles the incoming/outgoing data. This function blocks for up to ``timeout``\nseconds. ``timeout`` must not exceed the ``keepalive`` value for the client or\nyour client will be regularly disconnected by the broker.\n\nUsing this kind of loop, require you to handle reconnection strategie.\n\n\nCallbacks\n`````````\n\nThe interface to interact with paho-mqtt include various callback that are called by\nthe library when some events occur.\n\nThe callbacks are functions defined in your code, to implement the require action on those events. This could\nbe simply printing received message or much more complex behaviour.\n\nCallbacks API is versioned, and the selected version is the `CallbackAPIVersion` you provided to `Client`\nconstructor. Currently two version are supported:\n\n* ``CallbackAPIVersion.VERSION1``: it's the historical version used in paho-mqtt before version 2.0.\n  It's the API used before the introduction of `CallbackAPIVersion`.\n  This version is deprecated and will be removed in paho-mqtt version 3.0.\n* ``CallbackAPIVersion.VERSION2``: This version is more consistent between protocol MQTT 3.x and MQTT 5.x. It's also\n  much more usable with MQTT 5.x since reason code and properties are always provided when available.\n  It's recommended for all user to upgrade to this version. It's highly recommended for MQTT 5.x user.\n\nThe following callbacks exists:\n\n* `on_connect()`: called when the CONNACK from the broker is received. The call could be for a refused connection,\n  check the reason_code to see if the connection is successful or rejected.\n* `on_connect_fail()`: called by `loop_forever()` and `loop_start()` when the TCP connection failed to establish.\n  This callback is not called when using `connect()` or `reconnect()` directly. It's only called following\n  an automatic (re)connection made by `loop_start()` and `loop_forever()`\n* `on_disconnect()`: called when the connection is closed.\n* `on_message()`: called when a MQTT message is received from the broker.\n* `on_publish()`: called when an MQTT message was sent to the broker. Depending on QoS level the callback is called\n  at different moment:\n\n  * For QoS == 0, it's called as soon as the message is sent over the network. This could be before the corresponding ``publish()`` return.\n  * For QoS == 1, it's called when the corresponding PUBACK is received from the broker\n  * For QoS == 2, it's called when the corresponding PUBCOMP is received from the broker\n* `on_subscribe()`: called when the SUBACK is received from the broker\n* `on_unsubscribe()`: called when the UNSUBACK is received from the broker\n* `on_log()`: called when the library log a message\n* `on_socket_open`, `on_socket_close`, `on_socket_register_write`, `on_socket_unregister_write`: callbacks used for external loop support. See below for details.\n\nFor the signature of each callback, see the `online documentation <documentation_>`_.\n\nSubscriber example\n''''''''''''''''''\n\n.. code:: python\n\n    import paho.mqtt.client as mqtt\n\n    def on_subscribe(client, userdata, mid, reason_code_list, properties):\n        # Since we subscribed only for a single channel, reason_code_list contains\n        # a single entry\n        if reason_code_list[0].is_failure:\n            print(f\"Broker rejected you subscription: {reason_code_list[0]}\")\n        else:\n            print(f\"Broker granted the following QoS: {reason_code_list[0].value}\")\n\n    def on_unsubscribe(client, userdata, mid, reason_code_list, properties):\n        # Be careful, the reason_code_list is only present in MQTTv5.\n        # In MQTTv3 it will always be empty\n        if len(reason_code_list) == 0 or not reason_code_list[0].is_failure:\n            print(\"unsubscribe succeeded (if SUBACK is received in MQTTv3 it success)\")\n        else:\n            print(f\"Broker replied with failure: {reason_code_list[0]}\")\n        client.disconnect()\n\n    def on_message(client, userdata, message):\n        # userdata is the structure we choose to provide, here it's a list()\n        userdata.append(message.payload)\n        # We only want to process 10 messages\n        if len(userdata) >= 10:\n            client.unsubscribe(\"$SYS/#\")\n\n    def on_connect(client, userdata, flags, reason_code, properties):\n        if reason_code.is_failure:\n            print(f\"Failed to connect: {reason_code}. loop_forever() will retry connection\")\n        else:\n            # we should always subscribe from on_connect callback to be sure\n            # our subscribed is persisted across reconnections.\n            client.subscribe(\"$SYS/#\")\n\n    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)\n    mqttc.on_connect = on_connect\n    mqttc.on_message = on_message\n    mqttc.on_subscribe = on_subscribe\n    mqttc.on_unsubscribe = on_unsubscribe\n    \n    mqttc.user_data_set([])\n    mqttc.connect(\"mqtt.eclipseprojects.io\")\n    mqttc.loop_forever()\n    print(f\"Received the following message: {mqttc.user_data_get()}\")\n\npublisher example\n'''''''''''''''''\n\n.. code:: python\n\n    import time\n    import paho.mqtt.client as mqtt\n\n    def on_publish(client, userdata, mid, reason_code, properties):\n        # reason_code and properties will only be present in MQTTv5. It's always unset in MQTTv3\n        try:\n            userdata.remove(mid)\n        except KeyError:\n            print(\"on_publish() is called with a mid not present in unacked_publish\")\n            print(\"This is due to an unavoidable race-condition:\")\n            print(\"* publish() return the mid of the message sent.\")\n            print(\"* mid from publish() is added to unacked_publish by the main thread\")\n            print(\"* on_publish() is called by the loop_start thread\")\n            print(\"While unlikely (because on_publish() will be called after a network round-trip),\")\n            print(\" this is a race-condition that COULD happen\")\n            print(\"\")\n            print(\"The best solution to avoid race-condition is using the msg_info from publish()\")\n            print(\"We could also try using a list of acknowledged mid rather than removing from pending list,\")\n            print(\"but remember that mid could be re-used !\")\n\n    unacked_publish = set()\n    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)\n    mqttc.on_publish = on_publish\n    \n    mqttc.user_data_set(unacked_publish)\n    mqttc.connect(\"mqtt.eclipseprojects.io\")\n    mqttc.loop_start()\n\n    # Our application produce some messages\n    msg_info = mqttc.publish(\"paho/test/topic\", \"my message\", qos=1)\n    unacked_publish.add(msg_info.mid)\n\n    msg_info2 = mqttc.publish(\"paho/test/topic\", \"my message2\", qos=1)\n    unacked_publish.add(msg_info2.mid)\n    \n    # Wait for all message to be published\n    while len(unacked_publish):\n        time.sleep(0.1)\n\n    # Due to race-condition described above, the following way to wait for all publish is safer\n    msg_info.wait_for_publish()\n    msg_info2.wait_for_publish()\n\n    mqttc.disconnect()\n    mqttc.loop_stop()\n\n\nLogger\n``````\n\nThe Client emit some log message that could be useful during troubleshooting. The easiest way to\nenable logs is the call `enable_logger()`. It's possible to provide a custom logger or let the\ndefault logger being used.\n\nExample:\n\n.. code:: python\n\n    import logging\n    import paho.mqtt.client as mqtt\n\n    logging.basicConfig(level=logging.DEBUG)\n\n    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)\n    mqttc.enable_logger()\n\n    mqttc.connect(\"mqtt.eclipseprojects.io\", 1883, 60)\n    mqttc.loop_start()\n\n    # Do additional action needed, publish, subscribe, ...\n    [...]\n\nIt's also possible to define a on_log callback that will receive a copy of all log messages. Example:\n\n.. code:: python\n\n    import paho.mqtt.client as mqtt\n\n    def on_log(client, userdata, paho_log_level, messages):\n        if paho_log_level == mqtt.LogLevel.MQTT_LOG_ERR:\n            print(message)\n\n    mqttc = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)\n    mqttc.on_log = on_log\n\n    mqttc.connect(\"mqtt.eclipseprojects.io\", 1883, 60)\n    mqttc.loop_start()\n\n    # Do additional action needed, publish, subscribe, ...\n    [...]\n\n\nThe correspondence with Paho logging levels and standard ones is the following:\n\n====================  ===============\nPaho                  logging\n====================  ===============\n``MQTT_LOG_ERR``      ``logging.ERROR``\n``MQTT_LOG_WARNING``  ``logging.WARNING``\n``MQTT_LOG_NOTICE``   ``logging.INFO`` *(no direct equivalent)*\n``MQTT_LOG_INFO``     ``logging.INFO``\n``MQTT_LOG_DEBUG``    ``logging.DEBUG``\n====================  ===============\n\n\nExternal event loop support\n```````````````````````````\n\nTo support other network loop like asyncio (see examples_), the library expose some\nmethod and callback to support those use-case.\n\nThe following loop method exists:\n\n* `loop_read`: should be called when the socket is ready for reading.\n* `loop_write`: should be called when the socket is ready for writing AND the library want to write data.\n* `loop_misc`: should be called every few seconds to handle message retrying and pings.\n\nIn pseudo code, it give the following:\n\n.. code:: python\n\n    while run:\n        if need_read:\n            mqttc.loop_read()\n        if need_write:\n            mqttc.loop_write()\n        mqttc.loop_misc()\n\n        if not need_read and not need_write:\n            # But don't wait more than few seconds, loop_misc() need to be called regularly\n            wait_for_change_in_need_read_or_write()\n        updated_need_read_and_write()\n\nThe tricky part is implementing the update of need_read / need_write and wait for condition change. To support\nthis, the following method exists:\n\n* `socket()`: which return the socket object when the TCP connection is open.\n  This call is particularly useful for select_ based loops. See ``examples/loop_select.py``.\n* `want_write()`: return true if there is data  waiting to be written. This is close to the\n  ``need_writew`` of above pseudo-code, but you should also check whether the socket is ready for writing.\n* callbacks ``on_socket_*``:\n\n    * `on_socket_open`: called when the socket is opened.\n    * `on_socket_close`: called when the socket is about to be closed.\n    * `on_socket_register_write`: called when there is data the client want to write on the socket\n    * `on_socket_unregister_write`: called when there is no more data to write on the socket.\n\n  Callbacks are particularly useful for event loops where you register or unregister a socket\n  for reading+writing. See ``examples/loop_asyncio.py`` for an example.\n\n.. _select: https://docs.python.org/3/library/select.html#select.select\n\nThe callbacks are always called in this order:\n\n- `on_socket_open`\n- Zero or more times:\n\n  - `on_socket_register_write`\n  - `on_socket_unregister_write`\n\n- `on_socket_close`\n\nGlobal helper functions\n```````````````````````\n\nThe client module also offers some global helper functions.\n\n``topic_matches_sub(sub, topic)`` can be used to check whether a ``topic``\nmatches a ``subscription``.\n\nFor example:\n\n    the topic ``foo/bar`` would match the subscription ``foo/#`` or ``+/bar``\n\n    the topic ``non/matching`` would not match the subscription ``non/+/+``\n\n\nPublish\n*******\n\nThis module provides some helper functions to allow straightforward publishing\nof messages in a one-shot manner. In other words, they are useful for the\nsituation where you have a single/multiple messages you want to publish to a\nbroker, then disconnect with nothing else required.\n\nThe two functions provided are `single()` and `multiple()`.\n\nBoth functions include support for MQTT v5.0, but do not currently let you\nset any properties on connection or when sending messages.\n\nSingle\n``````\n\nPublish a single message to a broker, then disconnect cleanly.\n\nExample:\n\n.. code:: python\n\n    import paho.mqtt.publish as publish\n\n    publish.single(\"paho/test/topic\", \"payload\", hostname=\"mqtt.eclipseprojects.io\")\n\nMultiple\n````````\n\nPublish multiple messages to a broker, then disconnect cleanly.\n\nExample:\n\n.. code:: python\n\n    from paho.mqtt.enums import MQTTProtocolVersion\n    import paho.mqtt.publish as publish\n\n    msgs = [{'topic':\"paho/test/topic\", 'payload':\"multiple 1\"},\n        (\"paho/test/topic\", \"multiple 2\", 0, False)]\n    publish.multiple(msgs, hostname=\"mqtt.eclipseprojects.io\", protocol=MQTTProtocolVersion.MQTTv5)\n\n\nSubscribe\n*********\n\nThis module provides some helper functions to allow straightforward subscribing\nand processing of messages.\n\nThe two functions provided are `simple()` and `callback()`.\n\nBoth functions include support for MQTT v5.0, but do not currently let you\nset any properties on connection or when subscribing.\n\nSimple\n``````\n\nSubscribe to a set of topics and return the messages received. This is a\nblocking function.\n\nExample:\n\n.. code:: python\n\n    import paho.mqtt.subscribe as subscribe\n\n    msg = subscribe.simple(\"paho/test/topic\", hostname=\"mqtt.eclipseprojects.io\")\n    print(\"%s %s\" % (msg.topic, msg.payload))\n\nUsing Callback\n``````````````\n\nSubscribe to a set of topics and process the messages received using a user\nprovided callback.\n\nExample:\n\n.. code:: python\n\n    import paho.mqtt.subscribe as subscribe\n\n    def on_message_print(client, userdata, message):\n        print(\"%s %s\" % (message.topic, message.payload))\n        userdata[\"message_count\"] += 1\n        if userdata[\"message_count\"] >= 5:\n            # it's possible to stop the program by disconnecting\n            client.disconnect()\n\n    subscribe.callback(on_message_print, \"paho/test/topic\", hostname=\"mqtt.eclipseprojects.io\", userdata={\"message_count\": 0})\n\n\nReporting bugs\n--------------\n\nPlease report bugs in the issues tracker at https://github.com/eclipse/paho.mqtt.python/issues.\n\nMore information\n----------------\n\nDiscussion of the Paho clients takes place on the `Eclipse paho-dev mailing list <https://dev.eclipse.org/mailman/listinfo/paho-dev>`_.\n\nGeneral questions about the MQTT protocol itself (not this library) are discussed in the `MQTT Google Group <https://groups.google.com/forum/?fromgroups#!forum/mqtt>`_.\n\nThere is much more information available via the `MQTT community site <http://mqtt.org/>`_.\n\n.. _examples: https://github.com/eclipse/paho.mqtt.python/tree/master/examples\n.. _documentation: https://eclipse.dev/paho/files/paho.mqtt.python/html/client.html\n",
    "bugtrack_url": null,
    "license": "EPL-2.0 OR BSD-3-Clause",
    "summary": "MQTT version 5.0/3.1.1 client class",
    "version": "2.1.0",
    "project_urls": {
        "Homepage": "http://eclipse.org/paho"
    },
    "split_keywords": [
        "paho"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c4cb00451c3cf31790287768bb12c6bec834f5d292eaf3022afc88e14b8afc94",
                "md5": "55e71d5e16ed6b67074f1e79f2841e2c",
                "sha256": "6db9ba9b34ed5bc6b6e3812718c7e06e2fd7444540df2455d2c51bd58808feee"
            },
            "downloads": -1,
            "filename": "paho_mqtt-2.1.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "55e71d5e16ed6b67074f1e79f2841e2c",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.7",
            "size": 67219,
            "upload_time": "2024-04-29T19:52:48",
            "upload_time_iso_8601": "2024-04-29T19:52:48.345637Z",
            "url": "https://files.pythonhosted.org/packages/c4/cb/00451c3cf31790287768bb12c6bec834f5d292eaf3022afc88e14b8afc94/paho_mqtt-2.1.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "39150a6214e76d4d32e7f663b109cf71fb22561c2be0f701d67f93950cd40542",
                "md5": "fb97ff447db4ad2634e824672aac9f78",
                "sha256": "12d6e7511d4137555a3f6ea167ae846af2c7357b10bc6fa4f7c3968fc1723834"
            },
            "downloads": -1,
            "filename": "paho_mqtt-2.1.0.tar.gz",
            "has_sig": false,
            "md5_digest": "fb97ff447db4ad2634e824672aac9f78",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.7",
            "size": 148848,
            "upload_time": "2024-04-29T19:52:55",
            "upload_time_iso_8601": "2024-04-29T19:52:55.591462Z",
            "url": "https://files.pythonhosted.org/packages/39/15/0a6214e76d4d32e7f663b109cf71fb22561c2be0f701d67f93950cd40542/paho_mqtt-2.1.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-04-29 19:52:55",
    "github": false,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "lcname": "paho-mqtt"
}
        
Elapsed time: 0.26183s