core/homeassistant/components/mqtt.py

257 lines
7.5 KiB
Python
Raw Normal View History

2015-08-07 17:20:27 +00:00
"""
homeassistant.components.mqtt
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
MQTT component, using paho-mqtt. This component needs a MQTT broker like
Mosquitto or Mosca. The Eclipse Foundation is running a public MQTT server
at iot.eclipse.org. If you prefer to use that one, keep in mind to adjust
the topic/client ID and that your messages are public.
Configuration:
To use MQTT you will need to add something like the following to your
config/configuration.yaml.
2015-08-09 18:29:50 +00:00
mqtt:
broker: 127.0.0.1
Or, if you want more options:
2015-08-07 17:20:27 +00:00
mqtt:
broker: 127.0.0.1
port: 1883
2015-08-09 18:29:50 +00:00
client_id: home-assistant-1
2015-08-07 17:20:27 +00:00
keepalive: 60
2015-08-09 18:40:23 +00:00
username: your_username
password: your_secret_password
2015-08-07 17:20:27 +00:00
Variables:
broker
*Required
This is the IP address of your MQTT broker, e.g. 192.168.1.32.
port
*Optional
The network port to connect to. Default is 1883.
2015-08-07 17:20:27 +00:00
2015-08-09 18:29:50 +00:00
client_id
2015-08-09 06:49:38 +00:00
*Optional
2015-08-09 18:29:50 +00:00
Client ID that Home Assistant will use. Has to be unique on the server.
Default is a random generated one.
2015-08-07 17:20:27 +00:00
keepalive
*Optional
2015-08-09 18:29:50 +00:00
The keep alive in seconds for this client. Default is 60.
2015-08-07 17:20:27 +00:00
"""
import logging
2015-08-09 06:49:38 +00:00
import socket
2015-08-07 17:20:27 +00:00
2015-08-17 03:44:46 +00:00
from homeassistant.core import HomeAssistantError
2015-08-09 06:49:38 +00:00
import homeassistant.util as util
2015-08-07 17:20:27 +00:00
from homeassistant.helpers import validate_config
from homeassistant.const import (
EVENT_HOMEASSISTANT_START, EVENT_HOMEASSISTANT_STOP)
_LOGGER = logging.getLogger(__name__)
DOMAIN = "mqtt"
2015-08-09 06:49:38 +00:00
2015-08-07 17:20:27 +00:00
MQTT_CLIENT = None
2015-08-09 06:49:38 +00:00
DEFAULT_PORT = 1883
DEFAULT_KEEPALIVE = 60
DEFAULT_QOS = 0
SERVICE_PUBLISH = 'publish'
2015-08-07 17:20:27 +00:00
EVENT_MQTT_MESSAGE_RECEIVED = 'MQTT_MESSAGE_RECEIVED'
2015-08-09 06:49:38 +00:00
DEPENDENCIES = []
2015-08-07 17:20:27 +00:00
REQUIREMENTS = ['paho-mqtt>=1.1']
2015-08-09 06:49:38 +00:00
CONF_BROKER = 'broker'
CONF_PORT = 'port'
2015-08-09 18:29:50 +00:00
CONF_CLIENT_ID = 'client_id'
2015-08-09 06:49:38 +00:00
CONF_KEEPALIVE = 'keepalive'
2015-08-09 18:40:23 +00:00
CONF_USERNAME = 'username'
CONF_PASSWORD = 'password'
2015-08-09 06:49:38 +00:00
ATTR_QOS = 'qos'
ATTR_TOPIC = 'topic'
ATTR_PAYLOAD = 'payload'
2015-08-09 18:29:50 +00:00
def publish(hass, topic, payload):
""" Send an MQTT message. """
2015-08-09 18:29:50 +00:00
data = {
ATTR_TOPIC: topic,
ATTR_PAYLOAD: payload,
}
2015-08-09 06:49:38 +00:00
hass.services.call(DOMAIN, SERVICE_PUBLISH, data)
2015-08-07 17:20:27 +00:00
2015-08-09 18:29:50 +00:00
def subscribe(hass, topic, callback, qos=0):
""" Subscribe to a topic. """
def mqtt_topic_subscriber(event):
2015-08-11 01:12:22 +00:00
""" Match subscribed MQTT topic. """
if _match_topic(topic, event.data[ATTR_TOPIC]):
callback(event.data[ATTR_TOPIC], event.data[ATTR_PAYLOAD],
event.data[ATTR_QOS])
2015-08-09 18:29:50 +00:00
hass.bus.listen(EVENT_MQTT_MESSAGE_RECEIVED, mqtt_topic_subscriber)
if topic not in MQTT_CLIENT.topics:
MQTT_CLIENT.subscribe(topic, qos)
2015-08-07 17:20:27 +00:00
def setup(hass, config):
""" Get the MQTT protocol service. """
2015-08-09 06:49:38 +00:00
if not validate_config(config, {DOMAIN: ['broker']}, _LOGGER):
2015-08-07 17:20:27 +00:00
return False
2015-08-09 06:49:38 +00:00
conf = config[DOMAIN]
2015-08-07 17:20:27 +00:00
2015-08-09 06:49:38 +00:00
broker = conf[CONF_BROKER]
port = util.convert(conf.get(CONF_PORT), int, DEFAULT_PORT)
2015-08-09 18:29:50 +00:00
client_id = util.convert(conf.get(CONF_CLIENT_ID), str)
2015-08-09 06:49:38 +00:00
keepalive = util.convert(conf.get(CONF_KEEPALIVE), int, DEFAULT_KEEPALIVE)
2015-08-09 18:40:23 +00:00
username = util.convert(conf.get(CONF_USERNAME), str)
password = util.convert(conf.get(CONF_PASSWORD), str)
2015-08-09 06:49:38 +00:00
global MQTT_CLIENT
try:
2015-08-09 18:40:23 +00:00
MQTT_CLIENT = MQTT(hass, broker, port, client_id, keepalive, username,
password)
2015-08-09 06:49:38 +00:00
except socket.error:
_LOGGER.exception("Can't connect to the broker. "
"Please check your settings and the broker "
"itself.")
return False
2015-08-07 17:20:27 +00:00
def stop_mqtt(event):
""" Stop MQTT component. """
MQTT_CLIENT.stop()
def start_mqtt(event):
""" Launch MQTT component when Home Assistant starts up. """
2015-08-09 06:49:38 +00:00
MQTT_CLIENT.start()
2015-08-07 17:20:27 +00:00
hass.bus.listen_once(EVENT_HOMEASSISTANT_STOP, stop_mqtt)
2015-08-09 06:49:38 +00:00
def publish_service(call):
""" Handle MQTT publish service calls. """
2015-08-09 18:29:50 +00:00
msg_topic = call.data.get(ATTR_TOPIC)
payload = call.data.get(ATTR_PAYLOAD)
2015-08-09 18:29:50 +00:00
if msg_topic is None or payload is None:
2015-08-09 06:49:38 +00:00
return
2015-08-09 18:29:50 +00:00
MQTT_CLIENT.publish(msg_topic, payload)
2015-08-07 17:20:27 +00:00
hass.bus.listen_once(EVENT_HOMEASSISTANT_START, start_mqtt)
2015-08-09 06:49:38 +00:00
hass.services.register(DOMAIN, SERVICE_PUBLISH, publish_service)
2015-08-07 17:20:27 +00:00
return True
# This is based on one of the paho-mqtt examples:
# http://git.eclipse.org/c/paho/org.eclipse.paho.mqtt.python.git/tree/examples/sub-class.py
2015-08-09 19:22:05 +00:00
# pylint: disable=too-many-arguments
2015-08-11 14:47:47 +00:00
class MQTT(object): # pragma: no cover
2015-08-07 17:20:27 +00:00
""" Implements messaging service for MQTT. """
2015-08-09 18:40:23 +00:00
def __init__(self, hass, broker, port, client_id, keepalive, username,
password):
2015-08-09 06:49:38 +00:00
import paho.mqtt.client as mqtt
2015-08-07 17:20:27 +00:00
self.hass = hass
2015-08-09 18:29:50 +00:00
self._progress = {}
self.topics = {}
2015-08-07 17:20:27 +00:00
2015-08-09 18:29:50 +00:00
if client_id is None:
self._mqttc = mqtt.Client()
2015-08-09 06:49:38 +00:00
else:
2015-08-09 18:29:50 +00:00
self._mqttc = mqtt.Client(client_id)
2015-08-09 18:40:23 +00:00
if username is not None:
self._mqttc.username_pw_set(username, password)
2015-08-09 18:29:50 +00:00
self._mqttc.on_subscribe = self._mqtt_on_subscribe
self._mqttc.on_unsubscribe = self._mqtt_on_unsubscribe
self._mqttc.on_connect = self._mqtt_on_connect
self._mqttc.on_message = self._mqtt_on_message
self._mqttc.connect(broker, port, keepalive)
2015-08-07 17:20:27 +00:00
2015-08-09 18:29:50 +00:00
def publish(self, topic, payload):
""" Publish a MQTT message. """
self._mqttc.publish(topic, payload)
2015-08-07 17:20:27 +00:00
def unsubscribe(self, topic):
""" Unsubscribe from topic. """
2015-08-09 18:29:50 +00:00
result, mid = self._mqttc.unsubscribe(topic)
2015-08-09 19:22:05 +00:00
_raise_on_error(result)
2015-08-09 18:29:50 +00:00
self._progress[mid] = topic
def start(self):
""" Run the MQTT client. """
self._mqttc.loop_start()
2015-08-07 17:20:27 +00:00
def stop(self):
2015-08-09 06:49:38 +00:00
""" Stop the MQTT client. """
2015-08-07 17:20:27 +00:00
self._mqttc.loop_stop()
2015-08-09 18:29:50 +00:00
def subscribe(self, topic, qos):
""" Subscribe to a topic. """
if topic in self.topics:
return
result, mid = self._mqttc.subscribe(topic, qos)
2015-08-09 19:22:05 +00:00
_raise_on_error(result)
2015-08-09 18:29:50 +00:00
self._progress[mid] = topic
self.topics[topic] = None
2015-08-09 19:22:05 +00:00
def _mqtt_on_connect(self, mqttc, obj, flags, result_code):
2015-08-09 18:29:50 +00:00
""" On connect, resubscribe to all topics we were subscribed to. """
old_topics = self.topics
self._progress = {}
self.topics = {}
for topic, qos in old_topics.items():
# qos is None if we were in process of subscribing
if qos is not None:
self._mqttc.subscribe(topic, qos)
def _mqtt_on_subscribe(self, mqttc, obj, mid, granted_qos):
""" Called when subscribe succesfull. """
topic = self._progress.pop(mid, None)
if topic is None:
return
self.topics[topic] = granted_qos
2015-08-07 17:20:27 +00:00
2015-08-09 18:29:50 +00:00
def _mqtt_on_unsubscribe(self, mqttc, obj, mid, granted_qos):
""" Called when subscribe succesfull. """
topic = self._progress.pop(mid, None)
if topic is None:
return
self.topics.pop(topic, None)
def _mqtt_on_message(self, mqttc, obj, msg):
""" Message callback """
self.hass.bus.fire(EVENT_MQTT_MESSAGE_RECEIVED, {
ATTR_TOPIC: msg.topic,
ATTR_QOS: msg.qos,
ATTR_PAYLOAD: msg.payload.decode('utf-8'),
})
2015-08-09 19:22:05 +00:00
2015-08-11 14:47:47 +00:00
def _raise_on_error(result): # pragma: no cover
2015-08-09 19:22:05 +00:00
""" Raise error if error result. """
if result != 0:
raise HomeAssistantError('Error talking to MQTT: {}'.format(result))
2015-08-11 01:12:22 +00:00
def _match_topic(subscription, topic):
""" Returns if topic matches subscription. """
if subscription.endswith('#'):
return (subscription[:-2] == topic or
topic.startswith(subscription[:-1]))
2015-08-11 01:12:22 +00:00
sub_parts = subscription.split('/')
topic_parts = topic.split('/')
return (len(sub_parts) == len(topic_parts) and
all(a == b for a, b in zip(sub_parts, topic_parts) if a != '+'))