forked from home-assistant/core
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Add SSDP integration (home-assistant#24090)
* Add SSDP integration * Fix tests * Sort all the things * Add netdisco to test requirements
- Loading branch information
Showing
22 changed files
with
436 additions
and
28 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -15,6 +15,7 @@ | |
"mobile_app", | ||
"person", | ||
"script", | ||
"ssdp", | ||
"sun", | ||
"system_health", | ||
"updater", | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,170 @@ | ||
"""The SSDP integration.""" | ||
import asyncio | ||
from datetime import timedelta | ||
import logging | ||
from urllib.parse import urlparse | ||
from xml.etree import ElementTree | ||
|
||
import aiohttp | ||
from netdisco import ssdp, util | ||
|
||
from homeassistant.helpers.event import async_track_time_interval | ||
from homeassistant.generated.ssdp import SSDP | ||
|
||
DOMAIN = 'ssdp' | ||
SCAN_INTERVAL = timedelta(seconds=60) | ||
|
||
ATTR_HOST = 'host' | ||
ATTR_PORT = 'port' | ||
ATTR_SSDP_DESCRIPTION = 'ssdp_description' | ||
ATTR_ST = 'ssdp_st' | ||
ATTR_NAME = 'name' | ||
ATTR_MODEL_NAME = 'model_name' | ||
ATTR_MODEL_NUMBER = 'model_number' | ||
ATTR_SERIAL = 'serial_number' | ||
ATTR_MANUFACTURER = 'manufacturer' | ||
ATTR_UDN = 'udn' | ||
ATTR_UPNP_DEVICE_TYPE = 'upnp_device_type' | ||
|
||
_LOGGER = logging.getLogger(__name__) | ||
|
||
|
||
async def async_setup(hass, config): | ||
"""Set up the SSDP integration.""" | ||
async def initialize(): | ||
scanner = Scanner(hass) | ||
await scanner.async_scan(None) | ||
async_track_time_interval(hass, scanner.async_scan, SCAN_INTERVAL) | ||
|
||
hass.loop.create_task(initialize()) | ||
|
||
return True | ||
|
||
|
||
class Scanner: | ||
"""Class to manage SSDP scanning.""" | ||
|
||
def __init__(self, hass): | ||
"""Initialize class.""" | ||
self.hass = hass | ||
self.seen = set() | ||
self._description_cache = {} | ||
|
||
async def async_scan(self, _): | ||
"""Scan for new entries.""" | ||
_LOGGER.debug("Scanning") | ||
# Run 3 times as packets can get lost | ||
for _ in range(3): | ||
entries = await self.hass.async_add_executor_job(ssdp.scan) | ||
await self._process_entries(entries) | ||
|
||
# We clear the cache after each run. We track discovered entries | ||
# so will never need a description twice. | ||
self._description_cache.clear() | ||
|
||
async def _process_entries(self, entries): | ||
"""Process SSDP entries.""" | ||
tasks = [] | ||
|
||
for entry in entries: | ||
key = (entry.st, entry.location) | ||
|
||
if key in self.seen: | ||
continue | ||
|
||
self.seen.add(key) | ||
|
||
tasks.append(self._process_entry(entry)) | ||
|
||
if not tasks: | ||
return | ||
|
||
to_load = [result for result in await asyncio.gather(*tasks) | ||
if result is not None] | ||
|
||
if not to_load: | ||
return | ||
|
||
for entry, info, domains in to_load: | ||
|
||
for domain in domains: | ||
_LOGGER.debug("Discovered %s at %s", domain, entry.location) | ||
await self.hass.config_entries.flow.async_init( | ||
domain, context={'source': DOMAIN}, data=info | ||
) | ||
|
||
async def _process_entry(self, entry): | ||
"""Process a single entry.""" | ||
domains = set(SSDP["st"].get(entry.st, [])) | ||
|
||
xml_location = entry.location | ||
|
||
if not xml_location: | ||
if domains: | ||
return (entry, info_from_entry(entry, None), domains) | ||
return None | ||
|
||
# Multiple entries usally share same location. Make sure | ||
# we fetch it only once. | ||
info_req = self._description_cache.get(xml_location) | ||
|
||
if info_req is None: | ||
info_req = self._description_cache[xml_location] = \ | ||
self.hass.async_create_task( | ||
self._fetch_description(xml_location)) | ||
|
||
info = await info_req | ||
|
||
domains.update(SSDP["manufacturer"].get(info.get('manufacturer'), [])) | ||
domains.update(SSDP["device_type"].get(info.get('deviceType'), [])) | ||
|
||
if domains: | ||
return (entry, info_from_entry(entry, info), domains) | ||
|
||
return None | ||
|
||
async def _fetch_description(self, xml_location): | ||
"""Fetch an XML description.""" | ||
session = self.hass.helpers.aiohttp_client.async_get_clientsession() | ||
try: | ||
resp = await session.get(xml_location, timeout=5) | ||
xml = await resp.text() | ||
|
||
# Samsung Smart TV sometimes returns an empty document the | ||
# first time. Retry once. | ||
if not xml: | ||
resp = await session.get(xml_location, timeout=5) | ||
xml = await resp.text() | ||
except aiohttp.ClientError as err: | ||
_LOGGER.debug("Error fetching %s: %s", xml_location, err) | ||
return None | ||
|
||
try: | ||
tree = ElementTree.fromstring(xml) | ||
except ElementTree.ParseError as err: | ||
_LOGGER.debug("Error parsing %s: %s", xml_location, err) | ||
return None | ||
|
||
return util.etree_to_dict(tree).get('root', {}).get('device', {}) | ||
|
||
|
||
def info_from_entry(entry, device_info): | ||
"""Get most important info from an entry.""" | ||
url = urlparse(entry.location) | ||
info = { | ||
ATTR_HOST: url.hostname, | ||
ATTR_PORT: url.port, | ||
ATTR_SSDP_DESCRIPTION: entry.location, | ||
ATTR_ST: entry.st, | ||
} | ||
|
||
if device_info: | ||
info[ATTR_NAME] = device_info.get('friendlyName') | ||
info[ATTR_MODEL_NAME] = device_info.get('modelName') | ||
info[ATTR_MODEL_NUMBER] = device_info.get('modelNumber') | ||
info[ATTR_SERIAL] = device_info.get('serialNumber') | ||
info[ATTR_MANUFACTURER] = device_info.get('manufacturer') | ||
info[ATTR_UDN] = device_info.get('UDN') | ||
info[ATTR_UPNP_DEVICE_TYPE] = device_info.get('deviceType') | ||
|
||
return info |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,12 @@ | ||
{ | ||
"domain": "ssdp", | ||
"name": "SSDP", | ||
"documentation": "https://www.home-assistant.io/components/ssdp", | ||
"requirements": [ | ||
"netdisco==2.6.0" | ||
], | ||
"dependencies": [ | ||
], | ||
"codeowners": [ | ||
] | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,15 @@ | ||
"""Automatically generated by hassfest. | ||
To update, run python3 -m hassfest | ||
""" | ||
|
||
|
||
SSDP = { | ||
"device_type": {}, | ||
"manufacturer": { | ||
"Royal Philips Electronics": [ | ||
"hue" | ||
] | ||
}, | ||
"st": {} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -89,6 +89,7 @@ | |
'luftdaten', | ||
'mbddns', | ||
'mficlient', | ||
'netdisco', | ||
'numpy', | ||
'oauth2client', | ||
'paho-mqtt', | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.