612 lines
22 KiB
Python
612 lines
22 KiB
Python
"""
|
|
Provide functionality to interact with Cast devices on the network.
|
|
|
|
For more details about this platform, please refer to the documentation at
|
|
https://home-assistant.io/components/media_player.cast/
|
|
"""
|
|
# pylint: disable=import-error
|
|
import logging
|
|
import threading
|
|
from typing import Optional, Tuple
|
|
|
|
import voluptuous as vol
|
|
import attr
|
|
|
|
from homeassistant.exceptions import PlatformNotReady
|
|
from homeassistant.helpers.typing import HomeAssistantType, ConfigType
|
|
from homeassistant.core import callback
|
|
from homeassistant.helpers.dispatcher import (dispatcher_send,
|
|
async_dispatcher_connect)
|
|
from homeassistant.components.media_player import (
|
|
MEDIA_TYPE_MUSIC, MEDIA_TYPE_TVSHOW, MEDIA_TYPE_MOVIE, SUPPORT_NEXT_TRACK,
|
|
SUPPORT_PAUSE, SUPPORT_PLAY_MEDIA, SUPPORT_PREVIOUS_TRACK,
|
|
SUPPORT_TURN_OFF, SUPPORT_TURN_ON, SUPPORT_VOLUME_MUTE, SUPPORT_VOLUME_SET,
|
|
SUPPORT_STOP, SUPPORT_PLAY, MediaPlayerDevice, PLATFORM_SCHEMA)
|
|
from homeassistant.const import (
|
|
CONF_HOST, STATE_IDLE, STATE_OFF, STATE_PAUSED, STATE_PLAYING,
|
|
EVENT_HOMEASSISTANT_STOP)
|
|
import homeassistant.helpers.config_validation as cv
|
|
import homeassistant.util.dt as dt_util
|
|
|
|
REQUIREMENTS = ['pychromecast==2.1.0']
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
CONF_IGNORE_CEC = 'ignore_cec'
|
|
CAST_SPLASH = 'https://home-assistant.io/images/cast/splash.png'
|
|
|
|
DEFAULT_PORT = 8009
|
|
|
|
SUPPORT_CAST = SUPPORT_PAUSE | SUPPORT_VOLUME_SET | SUPPORT_VOLUME_MUTE | \
|
|
SUPPORT_TURN_ON | SUPPORT_TURN_OFF | SUPPORT_PREVIOUS_TRACK | \
|
|
SUPPORT_NEXT_TRACK | SUPPORT_PLAY_MEDIA | SUPPORT_STOP | SUPPORT_PLAY
|
|
|
|
# Stores a threading.Lock that is held by the internal pychromecast discovery.
|
|
INTERNAL_DISCOVERY_RUNNING_KEY = 'cast_discovery_running'
|
|
# Stores all ChromecastInfo we encountered through discovery or config as a set
|
|
# If we find a chromecast with a new host, the old one will be removed again.
|
|
KNOWN_CHROMECAST_INFO_KEY = 'cast_known_chromecasts'
|
|
# Stores UUIDs of cast devices that were added as entities. Doesn't store
|
|
# None UUIDs.
|
|
ADDED_CAST_DEVICES_KEY = 'cast_added_cast_devices'
|
|
|
|
# Dispatcher signal fired with a ChromecastInfo every time we discover a new
|
|
# Chromecast or receive it through configuration
|
|
SIGNAL_CAST_DISCOVERED = 'cast_discovered'
|
|
|
|
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend({
|
|
vol.Optional(CONF_HOST): cv.string,
|
|
vol.Optional(CONF_IGNORE_CEC, default=[]): vol.All(cv.ensure_list,
|
|
[cv.string])
|
|
})
|
|
|
|
|
|
@attr.s(slots=True, frozen=True)
|
|
class ChromecastInfo(object):
|
|
"""Class to hold all data about a chromecast for creating connections.
|
|
|
|
This also has the same attributes as the mDNS fields by zeroconf.
|
|
"""
|
|
|
|
host = attr.ib(type=str)
|
|
port = attr.ib(type=int)
|
|
uuid = attr.ib(type=Optional[str], converter=attr.converters.optional(str),
|
|
default=None) # always convert UUID to string if not None
|
|
model_name = attr.ib(type=str, default='') # needed for cast type
|
|
friendly_name = attr.ib(type=Optional[str], default=None)
|
|
|
|
@property
|
|
def is_audio_group(self) -> bool:
|
|
"""Return if this is an audio group."""
|
|
return self.port != DEFAULT_PORT
|
|
|
|
@property
|
|
def is_information_complete(self) -> bool:
|
|
"""Return if all information is filled out."""
|
|
return all(attr.astuple(self))
|
|
|
|
@property
|
|
def host_port(self) -> Tuple[str, int]:
|
|
"""Return the host+port tuple."""
|
|
return self.host, self.port
|
|
|
|
|
|
def _fill_out_missing_chromecast_info(info: ChromecastInfo) -> ChromecastInfo:
|
|
"""Fill out missing attributes of ChromecastInfo using blocking HTTP."""
|
|
if info.is_information_complete or info.is_audio_group:
|
|
# We have all information, no need to check HTTP API. Or this is an
|
|
# audio group, so checking via HTTP won't give us any new information.
|
|
return info
|
|
|
|
# Fill out missing information via HTTP dial.
|
|
from pychromecast import dial
|
|
|
|
http_device_status = dial.get_device_status(info.host)
|
|
if http_device_status is None:
|
|
# HTTP dial didn't give us any new information.
|
|
return info
|
|
|
|
return ChromecastInfo(
|
|
host=info.host, port=info.port,
|
|
uuid=(info.uuid or http_device_status.uuid),
|
|
friendly_name=(info.friendly_name or http_device_status.friendly_name),
|
|
model_name=(info.model_name or http_device_status.model_name)
|
|
)
|
|
|
|
|
|
def _discover_chromecast(hass: HomeAssistantType, info: ChromecastInfo):
|
|
if info in hass.data[KNOWN_CHROMECAST_INFO_KEY]:
|
|
_LOGGER.debug("Discovered previous chromecast %s", info)
|
|
return
|
|
|
|
# Either discovered completely new chromecast or a "moved" one.
|
|
info = _fill_out_missing_chromecast_info(info)
|
|
_LOGGER.debug("Discovered chromecast %s", info)
|
|
|
|
if info.uuid is not None:
|
|
# Remove previous cast infos with same uuid from known chromecasts.
|
|
same_uuid = set(x for x in hass.data[KNOWN_CHROMECAST_INFO_KEY]
|
|
if info.uuid == x.uuid)
|
|
hass.data[KNOWN_CHROMECAST_INFO_KEY] -= same_uuid
|
|
|
|
hass.data[KNOWN_CHROMECAST_INFO_KEY].add(info)
|
|
dispatcher_send(hass, SIGNAL_CAST_DISCOVERED, info)
|
|
|
|
|
|
def _setup_internal_discovery(hass: HomeAssistantType) -> None:
|
|
"""Set up the pychromecast internal discovery."""
|
|
if INTERNAL_DISCOVERY_RUNNING_KEY not in hass.data:
|
|
hass.data[INTERNAL_DISCOVERY_RUNNING_KEY] = threading.Lock()
|
|
|
|
if not hass.data[INTERNAL_DISCOVERY_RUNNING_KEY].acquire(blocking=False):
|
|
# Internal discovery is already running
|
|
return
|
|
|
|
import pychromecast
|
|
|
|
def internal_callback(name):
|
|
"""Called when zeroconf has discovered a new chromecast."""
|
|
mdns = listener.services[name]
|
|
_discover_chromecast(hass, ChromecastInfo(*mdns))
|
|
|
|
_LOGGER.debug("Starting internal pychromecast discovery.")
|
|
listener, browser = pychromecast.start_discovery(internal_callback)
|
|
|
|
def stop_discovery(event):
|
|
"""Stop discovery of new chromecasts."""
|
|
_LOGGER.debug("Stopping internal pychromecast discovery.")
|
|
pychromecast.stop_discovery(browser)
|
|
hass.data[INTERNAL_DISCOVERY_RUNNING_KEY].release()
|
|
|
|
hass.bus.listen_once(EVENT_HOMEASSISTANT_STOP, stop_discovery)
|
|
|
|
|
|
@callback
|
|
def _async_create_cast_device(hass: HomeAssistantType,
|
|
info: ChromecastInfo):
|
|
"""Create a CastDevice Entity from the chromecast object.
|
|
|
|
Returns None if the cast device has already been added.
|
|
"""
|
|
if info.uuid is None:
|
|
# Found a cast without UUID, we don't store it because we won't be able
|
|
# to update it anyway.
|
|
return CastDevice(info)
|
|
|
|
# Found a cast with UUID
|
|
added_casts = hass.data[ADDED_CAST_DEVICES_KEY]
|
|
if info.uuid in added_casts:
|
|
# Already added this one, the entity will take care of moved hosts
|
|
# itself
|
|
return None
|
|
# -> New cast device
|
|
added_casts.add(info.uuid)
|
|
return CastDevice(info)
|
|
|
|
|
|
async def async_setup_platform(hass: HomeAssistantType, config: ConfigType,
|
|
async_add_devices, discovery_info=None):
|
|
"""Set up the cast platform."""
|
|
import pychromecast
|
|
|
|
# Import CEC IGNORE attributes
|
|
pychromecast.IGNORE_CEC += config.get(CONF_IGNORE_CEC, [])
|
|
hass.data.setdefault(ADDED_CAST_DEVICES_KEY, set())
|
|
hass.data.setdefault(KNOWN_CHROMECAST_INFO_KEY, set())
|
|
|
|
info = None
|
|
if discovery_info is not None:
|
|
info = ChromecastInfo(host=discovery_info['host'],
|
|
port=discovery_info['port'])
|
|
elif CONF_HOST in config:
|
|
info = ChromecastInfo(host=config[CONF_HOST],
|
|
port=DEFAULT_PORT)
|
|
|
|
@callback
|
|
def async_cast_discovered(discover: ChromecastInfo) -> None:
|
|
"""Callback for when a new chromecast is discovered."""
|
|
if info is not None and info.host_port != discover.host_port:
|
|
# Not our requested cast device.
|
|
return
|
|
|
|
cast_device = _async_create_cast_device(hass, discover)
|
|
if cast_device is not None:
|
|
async_add_devices([cast_device])
|
|
|
|
async_dispatcher_connect(hass, SIGNAL_CAST_DISCOVERED,
|
|
async_cast_discovered)
|
|
# Re-play the callback for all past chromecasts, store the objects in
|
|
# a list to avoid concurrent modification resulting in exception.
|
|
for chromecast in list(hass.data[KNOWN_CHROMECAST_INFO_KEY]):
|
|
async_cast_discovered(chromecast)
|
|
|
|
if info is None or info.is_audio_group:
|
|
# If we were a) explicitly told to enable discovery or
|
|
# b) have an audio group cast device, we need internal discovery.
|
|
hass.async_add_job(_setup_internal_discovery, hass)
|
|
else:
|
|
info = await hass.async_add_job(_fill_out_missing_chromecast_info,
|
|
info)
|
|
if info.friendly_name is None:
|
|
# HTTP dial failed, so we won't be able to connect.
|
|
raise PlatformNotReady
|
|
hass.async_add_job(_discover_chromecast, hass, info)
|
|
|
|
|
|
class CastStatusListener(object):
|
|
"""Helper class to handle pychromecast status callbacks.
|
|
|
|
Necessary because a CastDevice entity can create a new socket client
|
|
and therefore callbacks from multiple chromecast connections can
|
|
potentially arrive. This class allows invalidating past chromecast objects.
|
|
"""
|
|
|
|
def __init__(self, cast_device, chromecast):
|
|
"""Initialize the status listener."""
|
|
self._cast_device = cast_device
|
|
self._valid = True
|
|
|
|
chromecast.register_status_listener(self)
|
|
chromecast.socket_client.media_controller.register_status_listener(
|
|
self)
|
|
chromecast.register_connection_listener(self)
|
|
|
|
def new_cast_status(self, cast_status):
|
|
"""Called when a new CastStatus is received."""
|
|
if self._valid:
|
|
self._cast_device.new_cast_status(cast_status)
|
|
|
|
def new_media_status(self, media_status):
|
|
"""Called when a new MediaStatus is received."""
|
|
if self._valid:
|
|
self._cast_device.new_media_status(media_status)
|
|
|
|
def new_connection_status(self, connection_status):
|
|
"""Called when a new ConnectionStatus is received."""
|
|
if self._valid:
|
|
self._cast_device.new_connection_status(connection_status)
|
|
|
|
def invalidate(self):
|
|
"""Invalidate this status listener.
|
|
|
|
All following callbacks won't be forwarded.
|
|
"""
|
|
self._valid = False
|
|
|
|
|
|
class CastDevice(MediaPlayerDevice):
|
|
"""Representation of a Cast device on the network.
|
|
|
|
This class is the holder of the pychromecast.Chromecast object and its
|
|
socket client. It therefore handles all reconnects and audio group changing
|
|
"elected leader" itself.
|
|
"""
|
|
|
|
def __init__(self, cast_info):
|
|
"""Initialize the cast device."""
|
|
self._cast_info = cast_info # type: ChromecastInfo
|
|
self._chromecast = None # type: Optional[pychromecast.Chromecast]
|
|
self.cast_status = None
|
|
self.media_status = None
|
|
self.media_status_received = None
|
|
self._available = False # type: bool
|
|
self._status_listener = None # type: Optional[CastStatusListener]
|
|
|
|
async def async_added_to_hass(self):
|
|
"""Create chromecast object when added to hass."""
|
|
@callback
|
|
def async_cast_discovered(discover: ChromecastInfo):
|
|
"""Callback for changing elected leaders / IP."""
|
|
if self._cast_info.uuid is None:
|
|
# We can't handle empty UUIDs
|
|
return
|
|
if self._cast_info.uuid != discover.uuid:
|
|
# Discovered is not our device.
|
|
return
|
|
_LOGGER.debug("Discovered chromecast with same UUID: %s", discover)
|
|
self.hass.async_add_job(self.async_set_cast_info(discover))
|
|
|
|
async def async_stop(event):
|
|
"""Disconnect socket on Home Assistant stop."""
|
|
await self._async_disconnect()
|
|
|
|
async_dispatcher_connect(self.hass, SIGNAL_CAST_DISCOVERED,
|
|
async_cast_discovered)
|
|
self.hass.bus.async_listen_once(EVENT_HOMEASSISTANT_STOP, async_stop)
|
|
self.hass.async_add_job(self.async_set_cast_info(self._cast_info))
|
|
|
|
async def async_will_remove_from_hass(self) -> None:
|
|
"""Disconnect Chromecast object when removed."""
|
|
await self._async_disconnect()
|
|
if self._cast_info.uuid is not None:
|
|
# Remove the entity from the added casts so that it can dynamically
|
|
# be re-added again.
|
|
self.hass.data[ADDED_CAST_DEVICES_KEY].remove(self._cast_info.uuid)
|
|
|
|
async def async_set_cast_info(self, cast_info):
|
|
"""Set the cast information and set up the chromecast object."""
|
|
import pychromecast
|
|
old_cast_info = self._cast_info
|
|
self._cast_info = cast_info
|
|
|
|
if self._chromecast is not None:
|
|
if old_cast_info.host_port == cast_info.host_port:
|
|
# Nothing connection-related updated
|
|
return
|
|
await self._async_disconnect()
|
|
|
|
# Failed connection will unfortunately never raise an exception, it
|
|
# will instead just try connecting indefinitely.
|
|
# pylint: disable=protected-access
|
|
_LOGGER.debug("Connecting to cast device %s", cast_info)
|
|
chromecast = await self.hass.async_add_job(
|
|
pychromecast._get_chromecast_from_host, attr.astuple(cast_info))
|
|
self._chromecast = chromecast
|
|
self._status_listener = CastStatusListener(self, chromecast)
|
|
# Initialise connection status as connected because we can only
|
|
# register the connection listener *after* the initial connection
|
|
# attempt. If the initial connection failed, we would never reach
|
|
# this code anyway.
|
|
self._available = True
|
|
self.cast_status = chromecast.status
|
|
self.media_status = chromecast.media_controller.status
|
|
_LOGGER.debug("Connection successful!")
|
|
self.async_schedule_update_ha_state()
|
|
|
|
async def _async_disconnect(self):
|
|
"""Disconnect Chromecast object if it is set."""
|
|
if self._chromecast is None:
|
|
# Can't disconnect if not connected.
|
|
return
|
|
_LOGGER.debug("Disconnecting from chromecast socket.")
|
|
self._available = False
|
|
self.async_schedule_update_ha_state()
|
|
|
|
await self.hass.async_add_job(self._chromecast.disconnect)
|
|
|
|
# Invalidate some attributes
|
|
self._chromecast = None
|
|
self.cast_status = None
|
|
self.media_status = None
|
|
self.media_status_received = None
|
|
if self._status_listener is not None:
|
|
self._status_listener.invalidate()
|
|
self._status_listener = None
|
|
|
|
self.async_schedule_update_ha_state()
|
|
|
|
# ========== Callbacks ==========
|
|
def new_cast_status(self, cast_status):
|
|
"""Handle updates of the cast status."""
|
|
self.cast_status = cast_status
|
|
self.schedule_update_ha_state()
|
|
|
|
def new_media_status(self, media_status):
|
|
"""Handle updates of the media status."""
|
|
self.media_status = media_status
|
|
self.media_status_received = dt_util.utcnow()
|
|
self.schedule_update_ha_state()
|
|
|
|
def new_connection_status(self, connection_status):
|
|
"""Handle updates of connection status."""
|
|
from pychromecast.socket_client import CONNECTION_STATUS_CONNECTED
|
|
|
|
new_available = connection_status.status == CONNECTION_STATUS_CONNECTED
|
|
if new_available != self._available:
|
|
# Connection status callbacks happen often when disconnected.
|
|
# Only update state when availability changed to put less pressure
|
|
# on state machine.
|
|
_LOGGER.debug("Cast device availability changed: %s",
|
|
connection_status.status)
|
|
self._available = new_available
|
|
self.schedule_update_ha_state()
|
|
|
|
# ========== Service Calls ==========
|
|
def turn_on(self):
|
|
"""Turn on the cast device."""
|
|
import pychromecast
|
|
|
|
if not self._chromecast.is_idle:
|
|
# Already turned on
|
|
return
|
|
|
|
if self._chromecast.app_id is not None:
|
|
# Quit the previous app before starting splash screen
|
|
self._chromecast.quit_app()
|
|
|
|
# The only way we can turn the Chromecast is on is by launching an app
|
|
self._chromecast.play_media(CAST_SPLASH,
|
|
pychromecast.STREAM_TYPE_BUFFERED)
|
|
|
|
def turn_off(self):
|
|
"""Turn off the cast device."""
|
|
self._chromecast.quit_app()
|
|
|
|
def mute_volume(self, mute):
|
|
"""Mute the volume."""
|
|
self._chromecast.set_volume_muted(mute)
|
|
|
|
def set_volume_level(self, volume):
|
|
"""Set volume level, range 0..1."""
|
|
self._chromecast.set_volume(volume)
|
|
|
|
def media_play(self):
|
|
"""Send play command."""
|
|
self._chromecast.media_controller.play()
|
|
|
|
def media_pause(self):
|
|
"""Send pause command."""
|
|
self._chromecast.media_controller.pause()
|
|
|
|
def media_stop(self):
|
|
"""Send stop command."""
|
|
self._chromecast.media_controller.stop()
|
|
|
|
def media_previous_track(self):
|
|
"""Send previous track command."""
|
|
self._chromecast.media_controller.rewind()
|
|
|
|
def media_next_track(self):
|
|
"""Send next track command."""
|
|
self._chromecast.media_controller.skip()
|
|
|
|
def media_seek(self, position):
|
|
"""Seek the media to a specific location."""
|
|
self._chromecast.media_controller.seek(position)
|
|
|
|
def play_media(self, media_type, media_id, **kwargs):
|
|
"""Play media from a URL."""
|
|
self._chromecast.media_controller.play_media(media_id, media_type)
|
|
|
|
# ========== Properties ==========
|
|
@property
|
|
def should_poll(self):
|
|
"""No polling needed."""
|
|
return False
|
|
|
|
@property
|
|
def name(self):
|
|
"""Return the name of the device."""
|
|
return self._cast_info.friendly_name
|
|
|
|
@property
|
|
def state(self):
|
|
"""Return the state of the player."""
|
|
if self.media_status is None:
|
|
return None
|
|
elif self.media_status.player_is_playing:
|
|
return STATE_PLAYING
|
|
elif self.media_status.player_is_paused:
|
|
return STATE_PAUSED
|
|
elif self.media_status.player_is_idle:
|
|
return STATE_IDLE
|
|
elif self._chromecast is not None and self._chromecast.is_idle:
|
|
return STATE_OFF
|
|
return None
|
|
|
|
@property
|
|
def available(self):
|
|
"""Return True if the cast device is connected."""
|
|
return self._available
|
|
|
|
@property
|
|
def volume_level(self):
|
|
"""Volume level of the media player (0..1)."""
|
|
return self.cast_status.volume_level if self.cast_status else None
|
|
|
|
@property
|
|
def is_volume_muted(self):
|
|
"""Boolean if volume is currently muted."""
|
|
return self.cast_status.volume_muted if self.cast_status else None
|
|
|
|
@property
|
|
def media_content_id(self):
|
|
"""Content ID of current playing media."""
|
|
return self.media_status.content_id if self.media_status else None
|
|
|
|
@property
|
|
def media_content_type(self):
|
|
"""Content type of current playing media."""
|
|
if self.media_status is None:
|
|
return None
|
|
elif self.media_status.media_is_tvshow:
|
|
return MEDIA_TYPE_TVSHOW
|
|
elif self.media_status.media_is_movie:
|
|
return MEDIA_TYPE_MOVIE
|
|
elif self.media_status.media_is_musictrack:
|
|
return MEDIA_TYPE_MUSIC
|
|
return None
|
|
|
|
@property
|
|
def media_duration(self):
|
|
"""Duration of current playing media in seconds."""
|
|
return self.media_status.duration if self.media_status else None
|
|
|
|
@property
|
|
def media_image_url(self):
|
|
"""Image url of current playing media."""
|
|
if self.media_status is None:
|
|
return None
|
|
|
|
images = self.media_status.images
|
|
|
|
return images[0].url if images and images[0].url else None
|
|
|
|
@property
|
|
def media_title(self):
|
|
"""Title of current playing media."""
|
|
return self.media_status.title if self.media_status else None
|
|
|
|
@property
|
|
def media_artist(self):
|
|
"""Artist of current playing media (Music track only)."""
|
|
return self.media_status.artist if self.media_status else None
|
|
|
|
@property
|
|
def media_album(self):
|
|
"""Album of current playing media (Music track only)."""
|
|
return self.media_status.album_name if self.media_status else None
|
|
|
|
@property
|
|
def media_album_artist(self):
|
|
"""Album artist of current playing media (Music track only)."""
|
|
return self.media_status.album_artist if self.media_status else None
|
|
|
|
@property
|
|
def media_track(self):
|
|
"""Track number of current playing media (Music track only)."""
|
|
return self.media_status.track if self.media_status else None
|
|
|
|
@property
|
|
def media_series_title(self):
|
|
"""Return the title of the series of current playing media."""
|
|
return self.media_status.series_title if self.media_status else None
|
|
|
|
@property
|
|
def media_season(self):
|
|
"""Season of current playing media (TV Show only)."""
|
|
return self.media_status.season if self.media_status else None
|
|
|
|
@property
|
|
def media_episode(self):
|
|
"""Episode of current playing media (TV Show only)."""
|
|
return self.media_status.episode if self.media_status else None
|
|
|
|
@property
|
|
def app_id(self):
|
|
"""Return the ID of the current running app."""
|
|
return self._chromecast.app_id if self._chromecast else None
|
|
|
|
@property
|
|
def app_name(self):
|
|
"""Name of the current running app."""
|
|
return self._chromecast.app_display_name if self._chromecast else None
|
|
|
|
@property
|
|
def supported_features(self):
|
|
"""Flag media player features that are supported."""
|
|
return SUPPORT_CAST
|
|
|
|
@property
|
|
def media_position(self):
|
|
"""Position of current playing media in seconds."""
|
|
if self.media_status is None or \
|
|
not (self.media_status.player_is_playing or
|
|
self.media_status.player_is_paused or
|
|
self.media_status.player_is_idle):
|
|
return None
|
|
return self.media_status.current_time
|
|
|
|
@property
|
|
def media_position_updated_at(self):
|
|
"""When was the position of the current playing media valid.
|
|
|
|
Returns value from homeassistant.util.dt.utcnow().
|
|
"""
|
|
return self.media_status_received
|
|
|
|
@property
|
|
def unique_id(self) -> Optional[str]:
|
|
"""Return a unique ID."""
|
|
return self._cast_info.uuid
|