From 805c0385a0558d7d825bcc4030cdaa269e7e3ea1 Mon Sep 17 00:00:00 2001 From: Pascal Vizeli Date: Thu, 27 Aug 2020 11:52:32 +0200 Subject: [PATCH 1/7] Bump version 237 --- supervisor/const.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/supervisor/const.py b/supervisor/const.py index dc04227fd..ea4127c7e 100644 --- a/supervisor/const.py +++ b/supervisor/const.py @@ -3,7 +3,7 @@ from enum import Enum from ipaddress import ip_network from pathlib import Path -SUPERVISOR_VERSION = "236" +SUPERVISOR_VERSION = "237" URL_HASSIO_ADDONS = "https://github.com/home-assistant/hassio-addons" URL_HASSIO_APPARMOR = "https://version.home-assistant.io/apparmor.txt" From 6db4c60f4736f358a9e5bd6df18951b24f8563bd Mon Sep 17 00:00:00 2001 From: Pascal Vizeli Date: Thu, 27 Aug 2020 14:31:34 +0200 Subject: [PATCH 2/7] Fix byte parser (#1981) --- supervisor/utils/gdbus.py | 7 ++++- tests/utils/test_gvariant_parser.py | 47 +++++++++++++++++++++++++++++ 2 files changed, 53 insertions(+), 1 deletion(-) diff --git a/supervisor/utils/gdbus.py b/supervisor/utils/gdbus.py index e1deec431..8b10e6b28 100644 --- a/supervisor/utils/gdbus.py +++ b/supervisor/utils/gdbus.py @@ -31,6 +31,7 @@ RE_GVARIANT_STRING_ESC: re.Pattern[Any] = re.compile( RE_GVARIANT_STRING: re.Pattern[Any] = re.compile( r"(?<=(?: |{|\[|\(|<))'(.*?)'(?=(?:|]|}|,|\)|>))" ) +RE_GVARIANT_BINARY: re.Pattern[Any] = re.compile(r"<\[byte (.*?)\]>") RE_GVARIANT_TUPLE_O: re.Pattern[Any] = re.compile(r"\"[^\"\\]*(?:\\.[^\"\\]*)*\"|(\()") RE_GVARIANT_TUPLE_C: re.Pattern[Any] = re.compile( r"\"[^\"\\]*(?:\\.[^\"\\]*)*\"|(,?\))" @@ -111,8 +112,12 @@ class DBus: def parse_gvariant(raw: str) -> Any: """Parse GVariant input to python.""" # Process first string + json_raw = RE_GVARIANT_BINARY.sub( + lambda x: f"<'{bytes([int(char, 0) for char in x.group(1).split(', ')]).decode()}'>", + raw, + ) json_raw = RE_GVARIANT_STRING_ESC.sub( - lambda x: x.group(0).replace('"', '\\"'), raw + lambda x: x.group(0).replace('"', '\\"'), json_raw ) json_raw = RE_GVARIANT_STRING.sub(r'"\1"', json_raw) diff --git a/tests/utils/test_gvariant_parser.py b/tests/utils/test_gvariant_parser.py index 50aabef7d..101c8bc4e 100644 --- a/tests/utils/test_gvariant_parser.py +++ b/tests/utils/test_gvariant_parser.py @@ -310,3 +310,50 @@ def test_networkmanager_dns_properties_empty(): data = DBus.parse_gvariant(raw) assert data == [{"Mode": "default", "RcManager": "resolvconf", "Configuration": []}] + + +def test_networkmanager_binary_data(): + """Test NetworkManager Binary datastrings.""" + raw = "({'802-11-wireless': {'mac-address-blacklist': <@as []>, 'mode': <'infrastructure'>, 'security': <'802-11-wireless-security'>, 'seen-bssids': <['7C:2E:BD:98:1B:06']>, 'ssid': <[byte 0x4e, 0x45, 0x54, 0x54]>}, 'connection': {'id': <'NETT'>, 'interface-name': <'wlan0'>, 'permissions': <@as []>, 'timestamp': , 'type': <'802-11-wireless'>, 'uuid': <'13f9af79-a6e9-4e07-9353-165ad57bf1a8'>}, 'ipv6': {'address-data': <@aa{sv} []>, 'addresses': <@a(ayuay) []>, 'dns': <@aay []>, 'dns-search': <@as []>, 'method': <'auto'>, 'route-data': <@aa{sv} []>, 'routes': <@a(ayuayu) []>}, '802-11-wireless-security': {'auth-alg': <'open'>, 'key-mgmt': <'wpa-psk'>}, 'ipv4': {'address-data': <@aa{sv} []>, 'addresses': <@aau []>, 'dns': <@au []>, 'dns-search': <@as []>, 'method': <'auto'>, 'route-data': <@aa{sv} []>, 'routes': <@aau []>}, 'proxy': {}},)" + + data = DBus.parse_gvariant(raw) + + assert data == [ + { + "802-11-wireless": { + "mac-address-blacklist": [], + "mode": "infrastructure", + "security": "802-11-wireless-security", + "seen-bssids": ["7C:2E:BD:98:1B:06"], + "ssid": "NETT", + }, + "connection": { + "id": "NETT", + "interface-name": "wlan0", + "permissions": [], + "timestamp": 1598526799, + "type": "802-11-wireless", + "uuid": "13f9af79-a6e9-4e07-9353-165ad57bf1a8", + }, + "ipv6": { + "address-data": [], + "addresses": [], + "dns": [], + "dns-search": [], + "method": "auto", + "route-data": [], + "routes": [], + }, + "802-11-wireless-security": {"auth-alg": "open", "key-mgmt": "wpa-psk"}, + "ipv4": { + "address-data": [], + "addresses": [], + "dns": [], + "dns-search": [], + "method": "auto", + "route-data": [], + "routes": [], + }, + "proxy": {}, + } + ] From 8d552ae15c32092ff74f96e6e13006a8098a6357 Mon Sep 17 00:00:00 2001 From: Pascal Vizeli Date: Thu, 27 Aug 2020 16:59:03 +0200 Subject: [PATCH 3/7] Fix api proxy ensure_access_token for websocket (#1983) --- supervisor/homeassistant/api.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/supervisor/homeassistant/api.py b/supervisor/homeassistant/api.py index 3b227e96c..aa9d35af9 100644 --- a/supervisor/homeassistant/api.py +++ b/supervisor/homeassistant/api.py @@ -26,7 +26,7 @@ class HomeAssistantAPI(CoreSysAttributes): self.access_token: Optional[str] = None self._access_token_expires: Optional[datetime] = None - async def _ensure_access_token(self) -> None: + async def ensure_access_token(self) -> None: """Ensure there is an access token.""" if ( self.access_token is not None @@ -75,7 +75,7 @@ class HomeAssistantAPI(CoreSysAttributes): headers[hdrs.CONTENT_TYPE] = content_type for _ in (1, 2): - await self._ensure_access_token() + await self.ensure_access_token() headers[hdrs.AUTHORIZATION] = f"Bearer {self.access_token}" try: From a2821a98adb85225792780e10e09e9496a85a7c9 Mon Sep 17 00:00:00 2001 From: Pascal Vizeli Date: Thu, 27 Aug 2020 17:04:14 +0200 Subject: [PATCH 4/7] Fix gvar for dbus if binary is not a string (#1984) --- supervisor/utils/gdbus.py | 13 ++++++++- tests/utils/test_gvariant_parser.py | 45 +++++++++++++++++++++++++++++ 2 files changed, 57 insertions(+), 1 deletion(-) diff --git a/supervisor/utils/gdbus.py b/supervisor/utils/gdbus.py index 8b10e6b28..a5456542b 100644 --- a/supervisor/utils/gdbus.py +++ b/supervisor/utils/gdbus.py @@ -58,6 +58,17 @@ MONITOR: str = "gdbus monitor --system --dest {bus}" DBUS_METHOD_GETALL: str = "org.freedesktop.DBus.Properties.GetAll" +def _convert_bytes(value: str) -> str: + """Convert bytes to string or byte-array.""" + data: bytes = bytes(int(char, 0) for char in value.split(", ")) + try: + text = data.decode() + except UnicodeDecodeError: + return f"<[{', '.join(str(char) for char in data)}]>" + + return f"<'{text}'>" + + class DBus: """DBus handler.""" @@ -113,7 +124,7 @@ class DBus: """Parse GVariant input to python.""" # Process first string json_raw = RE_GVARIANT_BINARY.sub( - lambda x: f"<'{bytes([int(char, 0) for char in x.group(1).split(', ')]).decode()}'>", + lambda x: _convert_bytes(x.group(1)), raw, ) json_raw = RE_GVARIANT_STRING_ESC.sub( diff --git a/tests/utils/test_gvariant_parser.py b/tests/utils/test_gvariant_parser.py index 101c8bc4e..e3122c884 100644 --- a/tests/utils/test_gvariant_parser.py +++ b/tests/utils/test_gvariant_parser.py @@ -357,3 +357,48 @@ def test_networkmanager_binary_data(): "proxy": {}, } ] + + raw = "({'802-11-wireless': {'mac-address-blacklist': <@as []>, 'mac-address': <[byte 0xca, 0x0b, 0x61, 0x00, 0xd8, 0xbd]>, 'mode': <'infrastructure'>, 'security': <'802-11-wireless-security'>, 'seen-bssids': <['7C:2E:BD:98:1B:06']>, 'ssid': <[byte 0x4e, 0x45, 0x54, 0x54]>}, 'connection': {'id': <'NETT'>, 'interface-name': <'wlan0'>, 'permissions': <@as []>, 'timestamp': , 'type': <'802-11-wireless'>, 'uuid': <'13f9af79-a6e9-4e07-9353-165ad57bf1a8'>}, 'ipv6': {'address-data': <@aa{sv} []>, 'addresses': <@a(ayuay) []>, 'dns': <@aay []>, 'dns-search': <@as []>, 'method': <'auto'>, 'route-data': <@aa{sv} []>, 'routes': <@a(ayuayu) []>}, '802-11-wireless-security': {'auth-alg': <'open'>, 'key-mgmt': <'wpa-psk'>}, 'ipv4': {'address-data': <@aa{sv} []>, 'addresses': <@aau []>, 'dns': <@au []>, 'dns-search': <@as []>, 'method': <'auto'>, 'route-data': <@aa{sv} []>, 'routes': <@aau []>}, 'proxy': {}},)" + + data = DBus.parse_gvariant(raw) + + assert data == [ + { + "802-11-wireless": { + "mac-address": [202, 11, 97, 0, 216, 189], + "mac-address-blacklist": [], + "mode": "infrastructure", + "security": "802-11-wireless-security", + "seen-bssids": ["7C:2E:BD:98:1B:06"], + "ssid": "NETT", + }, + "802-11-wireless-security": {"auth-alg": "open", "key-mgmt": "wpa-psk"}, + "connection": { + "id": "NETT", + "interface-name": "wlan0", + "permissions": [], + "timestamp": 1598526799, + "type": "802-11-wireless", + "uuid": "13f9af79-a6e9-4e07-9353-165ad57bf1a8", + }, + "ipv4": { + "address-data": [], + "addresses": [], + "dns": [], + "dns-search": [], + "method": "auto", + "route-data": [], + "routes": [], + }, + "ipv6": { + "address-data": [], + "addresses": [], + "dns": [], + "dns-search": [], + "method": "auto", + "route-data": [], + "routes": [], + }, + "proxy": {}, + } + ] From 8d3694884d97ba520311100fd32f743ebd6fed2f Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Joakim=20S=C3=B8rensen?= Date: Fri, 28 Aug 2020 10:40:50 +0200 Subject: [PATCH 5/7] Split payload so we can set auto without IP configuration (#1982) * Guard for no interfaces * Host reload on update * Extract payload * Check eth and wifi interfaces with a valid ip4 config * Add tests * Fix tests * Move to enum --- setup.py | 2 + supervisor/api/network.py | 2 +- supervisor/dbus/const.py | 7 +++ supervisor/dbus/network/__init__.py | 13 ++++- supervisor/dbus/network/connection.py | 4 ++ supervisor/dbus/network/interface.py | 40 +------------- supervisor/dbus/payloads/__init__.py | 1 + supervisor/dbus/payloads/interface_update.py | 55 +++++++++++++++++++ supervisor/host/__init__.py | 2 +- tests/conftest.py | 10 ++++ .../payloads/test_interface_update_payload.py | 49 +++++++++++++++++ 11 files changed, 143 insertions(+), 42 deletions(-) create mode 100644 supervisor/dbus/payloads/__init__.py create mode 100644 supervisor/dbus/payloads/interface_update.py create mode 100644 tests/dbus/payloads/test_interface_update_payload.py diff --git a/setup.py b/setup.py index 75549ab03..94252c621 100644 --- a/setup.py +++ b/setup.py @@ -36,6 +36,8 @@ setup( "supervisor.addons", "supervisor.api", "supervisor.dbus", + "supervisor.dbus.payloads", + "supervisor.dbus.network", "supervisor.discovery", "supervisor.discovery.services", "supervisor.services", diff --git a/supervisor/api/network.py b/supervisor/api/network.py index d34a95c16..65471561a 100644 --- a/supervisor/api/network.py +++ b/supervisor/api/network.py @@ -93,6 +93,6 @@ class APINetwork(CoreSysAttributes): self.sys_host.network.interfaces[req_interface].update_settings(**args) ) - await asyncio.shield(self.sys_host.network.update()) + await asyncio.shield(self.sys_host.reload()) return await asyncio.shield(self.interface_info(request)) diff --git a/supervisor/dbus/const.py b/supervisor/dbus/const.py index 409d8facb..4d3754215 100644 --- a/supervisor/dbus/const.py +++ b/supervisor/dbus/const.py @@ -72,3 +72,10 @@ class InterfaceMethodSimple(str, Enum): DHCP = "dhcp" STATIC = "static" + + +class ConnectionType(str, Enum): + """Connection type.""" + + ETHERNET = "802-3-ethernet" + WIRELESS = "802-11-wireless" diff --git a/supervisor/dbus/network/__init__.py b/supervisor/dbus/network/__init__.py index 27d259ef0..42d05d617 100644 --- a/supervisor/dbus/network/__init__.py +++ b/supervisor/dbus/network/__init__.py @@ -2,13 +2,14 @@ import logging from typing import Dict, Optional -from ...exceptions import DBusError, DBusInterfaceError +from ...exceptions import DBusError, DBusFatalError, DBusInterfaceError from ...utils.gdbus import DBus from ..const import ( DBUS_ATTR_ACTIVE_CONNECTIONS, DBUS_ATTR_PRIMARY_CONNECTION, DBUS_NAME_NM, DBUS_OBJECT_NM, + ConnectionType, ) from ..interface import DBusInterface from ..utils import dbus_connected @@ -65,11 +66,17 @@ class NetworkManager(DBusInterface): await interface.connect(self.dbus, connection) - if not interface.connection.default: + if interface.connection.type not in [ + ConnectionType.ETHERNET, + ConnectionType.WIRELESS, + ]: continue try: await interface.connection.update_information() - except IndexError: + except (IndexError, DBusFatalError): + continue + + if not interface.connection.ip4_config: continue if interface.connection.object_path == data.get( diff --git a/supervisor/dbus/network/connection.py b/supervisor/dbus/network/connection.py index 902043875..7a67d420f 100644 --- a/supervisor/dbus/network/connection.py +++ b/supervisor/dbus/network/connection.py @@ -22,6 +22,7 @@ from ..const import ( DBUS_NAME_DEVICE, DBUS_NAME_IP4CONFIG, DBUS_NAME_NM, + DBUS_OBJECT_BASE, ) from .configuration import ( AddressData, @@ -91,6 +92,9 @@ class NetworkConnection(NetworkAttributes): async def update_information(self): """Update the information for childs .""" + if self._properties[DBUS_ATTR_IP4CONFIG] == DBUS_OBJECT_BASE: + return + settings = await DBus.connect( DBUS_NAME_NM, self._properties[DBUS_ATTR_CONNECTION] ) diff --git a/supervisor/dbus/network/interface.py b/supervisor/dbus/network/interface.py index df05214a1..01a28117f 100644 --- a/supervisor/dbus/network/interface.py +++ b/supervisor/dbus/network/interface.py @@ -1,5 +1,4 @@ """NetworkInterface object for Network Manager.""" -from ...const import ATTR_ADDRESS, ATTR_DNS, ATTR_GATEWAY, ATTR_METHOD, ATTR_PREFIX from ...utils.gdbus import DBus from ..const import ( DBUS_NAME_CONNECTION_ACTIVE, @@ -7,8 +6,8 @@ from ..const import ( DBUS_OBJECT_BASE, InterfaceMethod, ) +from ..payloads.interface_update import interface_update_payload from .connection import NetworkConnection -from .utils import ip2int class NetworkInterface: @@ -85,42 +84,9 @@ class NetworkInterface: async def update_settings(self, **kwargs) -> None: """Update IP configuration used for this interface.""" - if kwargs.get(ATTR_DNS): - kwargs[ATTR_DNS] = [ip2int(x.strip()) for x in kwargs[ATTR_DNS]] + payload = interface_update_payload(self, **kwargs) - if kwargs.get(ATTR_METHOD): - kwargs[ATTR_METHOD] = ( - InterfaceMethod.MANUAL - if kwargs[ATTR_METHOD] == "static" - else InterfaceMethod.AUTO - ) - - if kwargs.get(ATTR_ADDRESS): - if "/" in kwargs[ATTR_ADDRESS]: - kwargs[ATTR_PREFIX] = kwargs[ATTR_ADDRESS].split("/")[-1] - kwargs[ATTR_ADDRESS] = kwargs[ATTR_ADDRESS].split("/")[0] - kwargs[ATTR_METHOD] = InterfaceMethod.MANUAL - - await self.connection.settings.dbus.Settings.Connection.Update( - f"""{{ - 'connection': - {{ - 'id': <'{self.id}'>, - 'type': <'{self.type}'> - }}, - 'ipv4': - {{ - 'method': <'{kwargs.get(ATTR_METHOD, self.method)}'>, - 'dns': <[{",".join([f"uint32 {x}" for x in kwargs.get(ATTR_DNS, self.nameservers)])}]>, - 'address-data': <[ - {{ - 'address': <'{kwargs.get(ATTR_ADDRESS, self.ip_address)}'>, - 'prefix': - }}]>, - 'gateway': <'{kwargs.get(ATTR_GATEWAY, self.gateway)}'> - }} - }}""" - ) + await self.connection.settings.dbus.Settings.Connection.Update(payload) await self.nm_dbus.ActivateConnection( self.connection.settings.dbus.object_path, diff --git a/supervisor/dbus/payloads/__init__.py b/supervisor/dbus/payloads/__init__.py new file mode 100644 index 000000000..5ae0b813c --- /dev/null +++ b/supervisor/dbus/payloads/__init__.py @@ -0,0 +1 @@ +"""Init file for DBUS payloads.""" diff --git a/supervisor/dbus/payloads/interface_update.py b/supervisor/dbus/payloads/interface_update.py new file mode 100644 index 000000000..b6bdf3797 --- /dev/null +++ b/supervisor/dbus/payloads/interface_update.py @@ -0,0 +1,55 @@ +"""Payload generators for DBUS communication.""" +from ...const import ATTR_ADDRESS, ATTR_DNS, ATTR_GATEWAY, ATTR_METHOD, ATTR_PREFIX +from ..const import InterfaceMethod +from ..network.utils import ip2int + + +def interface_update_payload(interface, **kwargs) -> str: + """Generate a payload for network interface update.""" + if kwargs.get(ATTR_DNS): + kwargs[ATTR_DNS] = [ip2int(x.strip()) for x in kwargs[ATTR_DNS]] + + if kwargs.get(ATTR_METHOD): + kwargs[ATTR_METHOD] = ( + InterfaceMethod.MANUAL + if kwargs[ATTR_METHOD] == "static" + else InterfaceMethod.AUTO + ) + + if kwargs.get(ATTR_ADDRESS): + if "/" in kwargs[ATTR_ADDRESS]: + kwargs[ATTR_PREFIX] = kwargs[ATTR_ADDRESS].split("/")[-1] + kwargs[ATTR_ADDRESS] = kwargs[ATTR_ADDRESS].split("/")[0] + kwargs[ATTR_METHOD] = InterfaceMethod.MANUAL + + if kwargs.get(ATTR_METHOD) == "auto": + return f"""{{ + 'connection': + {{ + 'id': <'{interface.id}'>, + 'type': <'{interface.type}'> + }}, + 'ipv4': + {{ + 'method': <'{InterfaceMethod.AUTO}'> + }} + }}""" + + return f"""{{ + 'connection': + {{ + 'id': <'{interface.id}'>, + 'type': <'{interface.type}'> + }}, + 'ipv4': + {{ + 'method': <'{InterfaceMethod.MANUAL}'>, + 'dns': <[{",".join([f"uint32 {x}" for x in kwargs.get(ATTR_DNS, interface.nameservers)])}]>, + 'address-data': <[ + {{ + 'address': <'{kwargs.get(ATTR_ADDRESS, interface.ip_address)}'>, + 'prefix': + }}]>, + 'gateway': <'{kwargs.get(ATTR_GATEWAY, interface.gateway)}'> + }} + }}""" diff --git a/supervisor/host/__init__.py b/supervisor/host/__init__.py index 35c304d67..933ef6b63 100644 --- a/supervisor/host/__init__.py +++ b/supervisor/host/__init__.py @@ -69,7 +69,7 @@ class HostManager(CoreSysAttributes): [HostFeature.REBOOT, HostFeature.SHUTDOWN, HostFeature.SERVICES] ) - if self.sys_dbus.network.is_connected: + if self.sys_dbus.network.is_connected and self.sys_dbus.network.interfaces: features.append(HostFeature.NETWORK) if self.sys_dbus.hostname.is_connected: diff --git a/tests/conftest.py b/tests/conftest.py index 1e6490a79..8640ee1a4 100644 --- a/tests/conftest.py +++ b/tests/conftest.py @@ -11,6 +11,7 @@ from supervisor.bootstrap import initialize_coresys from supervisor.coresys import CoreSys from supervisor.dbus.const import DBUS_NAME_NM, DBUS_OBJECT_BASE from supervisor.dbus.network import NetworkManager +from supervisor.dbus.network.interface import NetworkInterface from supervisor.docker import DockerAPI from supervisor.utils.gdbus import DBus @@ -124,3 +125,12 @@ async def api_client(aiohttp_client, coresys): api.webapp = web.Application() await api.load() yield await aiohttp_client(api.webapp) + + +@pytest.fixture +async def network_interface(dbus): + """Fixture for a network interface.""" + interface = NetworkInterface() + await interface.connect(dbus, "/org/freedesktop/NetworkManager/ActiveConnection/1") + await interface.connection.update_information() + yield interface diff --git a/tests/dbus/payloads/test_interface_update_payload.py b/tests/dbus/payloads/test_interface_update_payload.py new file mode 100644 index 000000000..ebcb7c6c4 --- /dev/null +++ b/tests/dbus/payloads/test_interface_update_payload.py @@ -0,0 +1,49 @@ +"""Test interface update payload.""" +import pytest + +from supervisor.dbus.payloads.interface_update import interface_update_payload +from supervisor.utils.gdbus import DBus + + +@pytest.mark.asyncio +async def test_interface_update_payload(network_interface): + """Test interface update payload.""" + assert ( + interface_update_payload(network_interface, **{"method": "auto"}) + == """{ + 'connection': + { + 'id': <'Wired connection 1'>, + 'type': <'802-3-ethernet'> + }, + 'ipv4': + { + 'method': <'auto'> + } + }""" + ) + + assert ( + interface_update_payload(network_interface, **{}) + == """{ + 'connection': + { + 'id': <'Wired connection 1'>, + 'type': <'802-3-ethernet'> + }, + 'ipv4': + { + 'method': <'manual'>, + 'dns': <[uint32 16951488]>, + 'address-data': <[ + { + 'address': <'192.168.2.148'>, + 'prefix': + }]>, + 'gateway': <'192.168.2.1'> + } + }""" + ) + + data = interface_update_payload(network_interface, **{"address": "1.1.1.1"}) + assert DBus.parse_gvariant(data)["ipv4"]["address-data"][0]["address"] == "1.1.1.1" From 98785b00e202509e9e8f7b5fc268cd02f11e9d78 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Joakim=20S=C3=B8rensen?= Date: Fri, 28 Aug 2020 11:46:22 +0200 Subject: [PATCH 6/7] Use jinja for payload generation (#1985) --- supervisor/dbus/network/interface.py | 2 +- supervisor/dbus/payloads/generate.py | 34 ++++++++++++ supervisor/dbus/payloads/interface_update.py | 55 ------------------- .../dbus/payloads/interface_update.tmpl | 26 +++++++++ .../payloads/test_interface_update_payload.py | 44 +++------------ 5 files changed, 68 insertions(+), 93 deletions(-) create mode 100644 supervisor/dbus/payloads/generate.py delete mode 100644 supervisor/dbus/payloads/interface_update.py create mode 100644 supervisor/dbus/payloads/interface_update.tmpl diff --git a/supervisor/dbus/network/interface.py b/supervisor/dbus/network/interface.py index 01a28117f..502720dcd 100644 --- a/supervisor/dbus/network/interface.py +++ b/supervisor/dbus/network/interface.py @@ -6,7 +6,7 @@ from ..const import ( DBUS_OBJECT_BASE, InterfaceMethod, ) -from ..payloads.interface_update import interface_update_payload +from ..payloads.generate import interface_update_payload from .connection import NetworkConnection diff --git a/supervisor/dbus/payloads/generate.py b/supervisor/dbus/payloads/generate.py new file mode 100644 index 000000000..f36a53851 --- /dev/null +++ b/supervisor/dbus/payloads/generate.py @@ -0,0 +1,34 @@ +"""Payload generators for DBUS communication.""" +from pathlib import Path + +import jinja2 + +from ...const import ATTR_ADDRESS, ATTR_DNS, ATTR_METHOD, ATTR_PREFIX +from ..const import InterfaceMethod +from ..network.utils import ip2int + +INTERFACE_UPDATE_TEMPLATE: Path = ( + Path(__file__).parents[2].joinpath("dbus/payloads/interface_update.tmpl") +) + + +def interface_update_payload(interface, **kwargs) -> str: + """Generate a payload for network interface update.""" + template = jinja2.Template(INTERFACE_UPDATE_TEMPLATE.read_text()) + if kwargs.get(ATTR_DNS): + kwargs[ATTR_DNS] = [ip2int(x.strip()) for x in kwargs[ATTR_DNS]] + + if kwargs.get(ATTR_METHOD): + kwargs[ATTR_METHOD] = ( + InterfaceMethod.MANUAL + if kwargs[ATTR_METHOD] == "static" + else InterfaceMethod.AUTO + ) + + if kwargs.get(ATTR_ADDRESS): + if "/" in kwargs[ATTR_ADDRESS]: + kwargs[ATTR_PREFIX] = kwargs[ATTR_ADDRESS].split("/")[-1] + kwargs[ATTR_ADDRESS] = kwargs[ATTR_ADDRESS].split("/")[0] + kwargs[ATTR_METHOD] = InterfaceMethod.MANUAL + + return template.render(interface=interface, options=kwargs) diff --git a/supervisor/dbus/payloads/interface_update.py b/supervisor/dbus/payloads/interface_update.py deleted file mode 100644 index b6bdf3797..000000000 --- a/supervisor/dbus/payloads/interface_update.py +++ /dev/null @@ -1,55 +0,0 @@ -"""Payload generators for DBUS communication.""" -from ...const import ATTR_ADDRESS, ATTR_DNS, ATTR_GATEWAY, ATTR_METHOD, ATTR_PREFIX -from ..const import InterfaceMethod -from ..network.utils import ip2int - - -def interface_update_payload(interface, **kwargs) -> str: - """Generate a payload for network interface update.""" - if kwargs.get(ATTR_DNS): - kwargs[ATTR_DNS] = [ip2int(x.strip()) for x in kwargs[ATTR_DNS]] - - if kwargs.get(ATTR_METHOD): - kwargs[ATTR_METHOD] = ( - InterfaceMethod.MANUAL - if kwargs[ATTR_METHOD] == "static" - else InterfaceMethod.AUTO - ) - - if kwargs.get(ATTR_ADDRESS): - if "/" in kwargs[ATTR_ADDRESS]: - kwargs[ATTR_PREFIX] = kwargs[ATTR_ADDRESS].split("/")[-1] - kwargs[ATTR_ADDRESS] = kwargs[ATTR_ADDRESS].split("/")[0] - kwargs[ATTR_METHOD] = InterfaceMethod.MANUAL - - if kwargs.get(ATTR_METHOD) == "auto": - return f"""{{ - 'connection': - {{ - 'id': <'{interface.id}'>, - 'type': <'{interface.type}'> - }}, - 'ipv4': - {{ - 'method': <'{InterfaceMethod.AUTO}'> - }} - }}""" - - return f"""{{ - 'connection': - {{ - 'id': <'{interface.id}'>, - 'type': <'{interface.type}'> - }}, - 'ipv4': - {{ - 'method': <'{InterfaceMethod.MANUAL}'>, - 'dns': <[{",".join([f"uint32 {x}" for x in kwargs.get(ATTR_DNS, interface.nameservers)])}]>, - 'address-data': <[ - {{ - 'address': <'{kwargs.get(ATTR_ADDRESS, interface.ip_address)}'>, - 'prefix': - }}]>, - 'gateway': <'{kwargs.get(ATTR_GATEWAY, interface.gateway)}'> - }} - }}""" diff --git a/supervisor/dbus/payloads/interface_update.tmpl b/supervisor/dbus/payloads/interface_update.tmpl new file mode 100644 index 000000000..a03b51256 --- /dev/null +++ b/supervisor/dbus/payloads/interface_update.tmpl @@ -0,0 +1,26 @@ +{ + 'connection': + { + 'id': <'{{interface.id}}'>, + 'type': <'{{interface.type}}'> + }, + +{% if options.get("method") == "auto" %} + 'ipv4': + { + 'method': <'auto'> + } +{% else %} + 'ipv4': + { + 'method': <'manual'>, + 'dns': <[uint32 {{ options.get("dns", interface.nameservers) | list | join(",") }}]>, + 'address-data': <[ + { + 'address': <'{{ options.get("address", interface.ip_address) }}'>, + 'prefix': + }]>, + 'gateway': <'{{ options.get("gateway", interface.gateway) }}'> + } +{% endif %} +} \ No newline at end of file diff --git a/tests/dbus/payloads/test_interface_update_payload.py b/tests/dbus/payloads/test_interface_update_payload.py index ebcb7c6c4..f6b496c8f 100644 --- a/tests/dbus/payloads/test_interface_update_payload.py +++ b/tests/dbus/payloads/test_interface_update_payload.py @@ -1,49 +1,19 @@ """Test interface update payload.""" import pytest -from supervisor.dbus.payloads.interface_update import interface_update_payload +from supervisor.dbus.payloads.generate import interface_update_payload from supervisor.utils.gdbus import DBus @pytest.mark.asyncio async def test_interface_update_payload(network_interface): """Test interface update payload.""" - assert ( - interface_update_payload(network_interface, **{"method": "auto"}) - == """{ - 'connection': - { - 'id': <'Wired connection 1'>, - 'type': <'802-3-ethernet'> - }, - 'ipv4': - { - 'method': <'auto'> - } - }""" - ) + data = interface_update_payload(network_interface, **{"method": "auto"}) + assert DBus.parse_gvariant(data)["ipv4"]["method"] == "auto" - assert ( - interface_update_payload(network_interface, **{}) - == """{ - 'connection': - { - 'id': <'Wired connection 1'>, - 'type': <'802-3-ethernet'> - }, - 'ipv4': - { - 'method': <'manual'>, - 'dns': <[uint32 16951488]>, - 'address-data': <[ - { - 'address': <'192.168.2.148'>, - 'prefix': - }]>, - 'gateway': <'192.168.2.1'> - } - }""" + data = interface_update_payload( + network_interface, **{"address": "1.1.1.1", "dns": ["1.1.1.1", "1.0.0.1"]} ) - - data = interface_update_payload(network_interface, **{"address": "1.1.1.1"}) + assert DBus.parse_gvariant(data)["ipv4"]["method"] == "manual" assert DBus.parse_gvariant(data)["ipv4"]["address-data"][0]["address"] == "1.1.1.1" + assert DBus.parse_gvariant(data)["ipv4"]["dns"] == [16843009, 16777217] From 51997b3e7c44651a4d66dee43175a0ec2590db4a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Joakim=20S=C3=B8rensen?= Date: Fri, 28 Aug 2020 14:31:19 +0200 Subject: [PATCH 7/7] Update frontend to dc5b920 (#1986) --- home-assistant-polymer | 2 +- supervisor/api/panel/entrypoint.js | 4 +- supervisor/api/panel/entrypoint.js.gz | Bin 194 -> 194 bytes .../chunk.0d1dbeb0d1afbd18f64e.js.gz | Bin 283 -> 0 bytes .../chunk.0d1dbeb0d1afbd18f64e.js.map | 1 - .../chunk.1f998a3d7e32b7b3c45c.js.gz | Bin 18753 -> 0 bytes .../chunk.1f998a3d7e32b7b3c45c.js.map | 1 - .../chunk.2dfe3739f6cdf06691c3.js.gz | Bin 57458 -> 0 bytes .../chunk.2dfe3739f6cdf06691c3.js.map | 1 - .../chunk.2e9e45ecb0d870d27d88.js | 2 - .../chunk.2e9e45ecb0d870d27d88.js.gz | Bin 23294 -> 0 bytes .../chunk.2e9e45ecb0d870d27d88.js.map | 1 - ...42b65.js => chunk.2ed5c30ad50f7527df09.js} | 4 +- .../chunk.2ed5c30ad50f7527df09.js.gz | Bin 0 -> 5532 bytes .../chunk.2ed5c30ad50f7527df09.js.map | 1 + .../chunk.4a9b56271bdf6fea0f78.js.gz | Bin 4220 -> 0 bytes .../chunk.4a9b56271bdf6fea0f78.js.map | 1 - ...d0e8f.js => chunk.52438dfa2faa3f6de843.js} | 4 +- .../chunk.52438dfa2faa3f6de843.js.gz | Bin 0 -> 4621 bytes .../chunk.52438dfa2faa3f6de843.js.map | 1 + .../chunk.5bff531a8ac4ea5d0e8f.js.gz | Bin 4610 -> 0 bytes .../chunk.5bff531a8ac4ea5d0e8f.js.map | 1 - ...691c3.js => chunk.604984e2de02739bcab4.js} | 4 +- .../chunk.604984e2de02739bcab4.js.gz | Bin 0 -> 57438 bytes .../chunk.604984e2de02739bcab4.js.map | 1 + ...a0f78.js => chunk.66ee904e8fcb36490ad8.js} | 4 +- .../chunk.66ee904e8fcb36490ad8.js.gz | Bin 0 -> 4219 bytes .../chunk.66ee904e8fcb36490ad8.js.map | 1 + ...a87e5.js => chunk.6a55e3d79e8e15fe11af.js} | 4 +- .../chunk.6a55e3d79e8e15fe11af.js.gz | Bin 0 -> 4600 bytes .../chunk.6a55e3d79e8e15fe11af.js.map | 1 + .../chunk.7ef6bcb43647bc158e88.js.gz | Bin 4855 -> 0 bytes .../chunk.7ef6bcb43647bc158e88.js.map | 1 - ...58e88.js => chunk.a63a1818bc60b94648e9.js} | 4 +- .../chunk.a63a1818bc60b94648e9.js.gz | Bin 0 -> 4854 bytes .../chunk.a63a1818bc60b94648e9.js.map | 1 + ...3c45c.js => chunk.b046b37af037dae78070.js} | 6 +- ...chunk.b046b37af037dae78070.js.LICENSE.txt} | 0 .../chunk.b046b37af037dae78070.js.gz | Bin 0 -> 18758 bytes .../chunk.b046b37af037dae78070.js.map | 1 + .../chunk.e4f91d8c5f0772ea87e5.js.gz | Bin 4604 -> 0 bytes .../chunk.e4f91d8c5f0772ea87e5.js.map | 1 - .../chunk.eb298d7a6a3cb87c9fd3.js | 2 + .../chunk.eb298d7a6a3cb87c9fd3.js.gz | Bin 0 -> 23958 bytes .../chunk.eb298d7a6a3cb87c9fd3.js.map | 1 + ...8f64e.js => chunk.f0fd1d9d4e2bfcaa4696.js} | 4 +- .../chunk.f0fd1d9d4e2bfcaa4696.js.gz | Bin 0 -> 285 bytes .../chunk.f0fd1d9d4e2bfcaa4696.js.map | 1 + .../chunk.f60d6d63bed838a42b65.js.gz | Bin 5533 -> 0 bytes .../chunk.f60d6d63bed838a42b65.js.map | 1 - ...int.9b944a05.js => entrypoint.10e8b77d.js} | 6 +- ...txt => entrypoint.10e8b77d.js.LICENSE.txt} | 0 .../frontend_es5/entrypoint.10e8b77d.js.gz | Bin 0 -> 250249 bytes .../frontend_es5/entrypoint.10e8b77d.js.map | 1 + .../frontend_es5/entrypoint.9b944a05.js.gz | Bin 250413 -> 0 bytes .../frontend_es5/entrypoint.9b944a05.js.map | 1 - .../api/panel/frontend_es5/manifest.json | 2 +- ...c439a.js => chunk.060b891fc21a6f3a9775.js} | 6 +- .../chunk.060b891fc21a6f3a9775.js.gz | Bin 0 -> 4325 bytes .../chunk.060b891fc21a6f3a9775.js.map | 1 + .../chunk.169d772822215fb022c3.js.gz | Bin 17303 -> 0 bytes .../chunk.169d772822215fb022c3.js.map | 1 - .../chunk.19fdeb1dc19e9028c877.js.gz | Bin 3706 -> 0 bytes .../chunk.19fdeb1dc19e9028c877.js.map | 1 - ...6fb89.js => chunk.2c9b9df572f9df28aa13.js} | 4 +- .../chunk.2c9b9df572f9df28aa13.js.gz | Bin 0 -> 57196 bytes .../chunk.2c9b9df572f9df28aa13.js.map | 1 + .../chunk.3071be0252919da82a50.js.gz | Bin 18576 -> 0 bytes .../chunk.3455ded08421a656fb89.js.gz | Bin 57207 -> 0 bytes .../chunk.3455ded08421a656fb89.js.map | 1 - .../chunk.4b82e7ada0d15a00ee58.js | 2 + .../chunk.4b82e7ada0d15a00ee58.js.gz | Bin 0 -> 286 bytes .../chunk.4b82e7ada0d15a00ee58.js.map | 1 + .../chunk.5626256b67db529d9228.js.gz | Bin 3431 -> 0 bytes ...d9228.js => chunk.70f7563637c2550d0863.js} | 4 +- .../chunk.70f7563637c2550d0863.js.gz | Bin 0 -> 3430 bytes ....map => chunk.70f7563637c2550d0863.js.map} | 2 +- ...a578f.js => chunk.7219884c2d0e5ec150ac.js} | 4 +- .../chunk.7219884c2d0e5ec150ac.js.gz | Bin 0 -> 4472 bytes ....map => chunk.7219884c2d0e5ec150ac.js.map} | 2 +- .../chunk.75f2147acdb97fbb1c85.js | 2 - .../chunk.75f2147acdb97fbb1c85.js.gz | Bin 287 -> 0 bytes .../chunk.75f2147acdb97fbb1c85.js.map | 1 - .../chunk.7f857ab0198787ea578f.js.gz | Bin 4473 -> 0 bytes ...82a50.js => chunk.9c6fe3803e238e0fac77.js} | 8 +- ...chunk.9c6fe3803e238e0fac77.js.LICENSE.txt} | 0 .../chunk.9c6fe3803e238e0fac77.js.gz | Bin 0 -> 18575 bytes ....map => chunk.9c6fe3803e238e0fac77.js.map} | 2 +- .../chunk.ab1820d320511a5c439a.js.gz | Bin 4324 -> 0 bytes .../chunk.ab1820d320511a5c439a.js.map | 1 - ...022c3.js => chunk.b4c05e83a53faa454a6e.js} | 55 +++--- .../chunk.b4c05e83a53faa454a6e.js.gz | Bin 0 -> 17582 bytes .../chunk.b4c05e83a53faa454a6e.js.map | 1 + ...8c877.js => chunk.bc9f9f69a190ab12be0e.js} | 6 +- .../chunk.bc9f9f69a190ab12be0e.js.gz | Bin 0 -> 3707 bytes .../chunk.bc9f9f69a190ab12be0e.js.map | 1 + .../chunk.e4b71fa96652ad9933c0.js.gz | Bin 3761 -> 0 bytes .../chunk.e4b71fa96652ad9933c0.js.map | 1 - ...933c0.js => chunk.f1567ab5b1c58d713db7.js} | 4 +- .../chunk.f1567ab5b1c58d713db7.js.gz | Bin 0 -> 3760 bytes .../chunk.f1567ab5b1c58d713db7.js.map | 1 + ...int.cfec6eb5.js => entrypoint.18a06d96.js} | 158 +++++++++--------- ...txt => entrypoint.18a06d96.js.LICENSE.txt} | 0 .../frontend_latest/entrypoint.18a06d96.js.gz | Bin 0 -> 206461 bytes .../entrypoint.18a06d96.js.map | 1 + .../frontend_latest/entrypoint.cfec6eb5.js.gz | Bin 206777 -> 0 bytes .../entrypoint.cfec6eb5.js.map | 1 - .../api/panel/frontend_latest/manifest.json | 2 +- supervisor/dbus/network/__init__.py | 2 +- 109 files changed, 175 insertions(+), 174 deletions(-) delete mode 100644 supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.2dfe3739f6cdf06691c3.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.2dfe3739f6cdf06691c3.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.2e9e45ecb0d870d27d88.js delete mode 100644 supervisor/api/panel/frontend_es5/chunk.2e9e45ecb0d870d27d88.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.2e9e45ecb0d870d27d88.js.map rename supervisor/api/panel/frontend_es5/{chunk.f60d6d63bed838a42b65.js => chunk.2ed5c30ad50f7527df09.js} (99%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.2ed5c30ad50f7527df09.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.2ed5c30ad50f7527df09.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.4a9b56271bdf6fea0f78.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.4a9b56271bdf6fea0f78.js.map rename supervisor/api/panel/frontend_es5/{chunk.5bff531a8ac4ea5d0e8f.js => chunk.52438dfa2faa3f6de843.js} (98%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js.map rename supervisor/api/panel/frontend_es5/{chunk.2dfe3739f6cdf06691c3.js => chunk.604984e2de02739bcab4.js} (99%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.604984e2de02739bcab4.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.604984e2de02739bcab4.js.map rename supervisor/api/panel/frontend_es5/{chunk.4a9b56271bdf6fea0f78.js => chunk.66ee904e8fcb36490ad8.js} (99%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.66ee904e8fcb36490ad8.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.66ee904e8fcb36490ad8.js.map rename supervisor/api/panel/frontend_es5/{chunk.e4f91d8c5f0772ea87e5.js => chunk.6a55e3d79e8e15fe11af.js} (98%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.6a55e3d79e8e15fe11af.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.6a55e3d79e8e15fe11af.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.map rename supervisor/api/panel/frontend_es5/{chunk.7ef6bcb43647bc158e88.js => chunk.a63a1818bc60b94648e9.js} (98%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.map rename supervisor/api/panel/frontend_es5/{chunk.1f998a3d7e32b7b3c45c.js => chunk.b046b37af037dae78070.js} (99%) rename supervisor/api/panel/frontend_es5/{chunk.1f998a3d7e32b7b3c45c.js.LICENSE.txt => chunk.b046b37af037dae78070.js.LICENSE.txt} (100%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.map create mode 100644 supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js create mode 100644 supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js.map rename supervisor/api/panel/frontend_es5/{chunk.0d1dbeb0d1afbd18f64e.js => chunk.f0fd1d9d4e2bfcaa4696.js} (53%) create mode 100644 supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.gz create mode 100644 supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.map delete mode 100644 supervisor/api/panel/frontend_es5/chunk.f60d6d63bed838a42b65.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/chunk.f60d6d63bed838a42b65.js.map rename supervisor/api/panel/frontend_es5/{entrypoint.9b944a05.js => entrypoint.10e8b77d.js} (53%) rename supervisor/api/panel/frontend_es5/{entrypoint.9b944a05.js.LICENSE.txt => entrypoint.10e8b77d.js.LICENSE.txt} (100%) create mode 100644 supervisor/api/panel/frontend_es5/entrypoint.10e8b77d.js.gz create mode 100644 supervisor/api/panel/frontend_es5/entrypoint.10e8b77d.js.map delete mode 100644 supervisor/api/panel/frontend_es5/entrypoint.9b944a05.js.gz delete mode 100644 supervisor/api/panel/frontend_es5/entrypoint.9b944a05.js.map rename supervisor/api/panel/frontend_latest/{chunk.ab1820d320511a5c439a.js => chunk.060b891fc21a6f3a9775.js} (98%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.060b891fc21a6f3a9775.js.gz create mode 100644 supervisor/api/panel/frontend_latest/chunk.060b891fc21a6f3a9775.js.map delete mode 100644 supervisor/api/panel/frontend_latest/chunk.169d772822215fb022c3.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.169d772822215fb022c3.js.map delete mode 100644 supervisor/api/panel/frontend_latest/chunk.19fdeb1dc19e9028c877.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.19fdeb1dc19e9028c877.js.map rename supervisor/api/panel/frontend_latest/{chunk.3455ded08421a656fb89.js => chunk.2c9b9df572f9df28aa13.js} (99%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.2c9b9df572f9df28aa13.js.gz create mode 100644 supervisor/api/panel/frontend_latest/chunk.2c9b9df572f9df28aa13.js.map delete mode 100644 supervisor/api/panel/frontend_latest/chunk.3071be0252919da82a50.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.3455ded08421a656fb89.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.3455ded08421a656fb89.js.map create mode 100644 supervisor/api/panel/frontend_latest/chunk.4b82e7ada0d15a00ee58.js create mode 100644 supervisor/api/panel/frontend_latest/chunk.4b82e7ada0d15a00ee58.js.gz create mode 100644 supervisor/api/panel/frontend_latest/chunk.4b82e7ada0d15a00ee58.js.map delete mode 100644 supervisor/api/panel/frontend_latest/chunk.5626256b67db529d9228.js.gz rename supervisor/api/panel/frontend_latest/{chunk.5626256b67db529d9228.js => chunk.70f7563637c2550d0863.js} (98%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.70f7563637c2550d0863.js.gz rename supervisor/api/panel/frontend_latest/{chunk.5626256b67db529d9228.js.map => chunk.70f7563637c2550d0863.js.map} (54%) rename supervisor/api/panel/frontend_latest/{chunk.7f857ab0198787ea578f.js => chunk.7219884c2d0e5ec150ac.js} (99%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.7219884c2d0e5ec150ac.js.gz rename supervisor/api/panel/frontend_latest/{chunk.7f857ab0198787ea578f.js.map => chunk.7219884c2d0e5ec150ac.js.map} (68%) delete mode 100644 supervisor/api/panel/frontend_latest/chunk.75f2147acdb97fbb1c85.js delete mode 100644 supervisor/api/panel/frontend_latest/chunk.75f2147acdb97fbb1c85.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.75f2147acdb97fbb1c85.js.map delete mode 100644 supervisor/api/panel/frontend_latest/chunk.7f857ab0198787ea578f.js.gz rename supervisor/api/panel/frontend_latest/{chunk.3071be0252919da82a50.js => chunk.9c6fe3803e238e0fac77.js} (99%) rename supervisor/api/panel/frontend_latest/{chunk.3071be0252919da82a50.js.LICENSE.txt => chunk.9c6fe3803e238e0fac77.js.LICENSE.txt} (100%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.9c6fe3803e238e0fac77.js.gz rename supervisor/api/panel/frontend_latest/{chunk.3071be0252919da82a50.js.map => chunk.9c6fe3803e238e0fac77.js.map} (67%) delete mode 100644 supervisor/api/panel/frontend_latest/chunk.ab1820d320511a5c439a.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.ab1820d320511a5c439a.js.map rename supervisor/api/panel/frontend_latest/{chunk.169d772822215fb022c3.js => chunk.b4c05e83a53faa454a6e.js} (87%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.b4c05e83a53faa454a6e.js.gz create mode 100644 supervisor/api/panel/frontend_latest/chunk.b4c05e83a53faa454a6e.js.map rename supervisor/api/panel/frontend_latest/{chunk.19fdeb1dc19e9028c877.js => chunk.bc9f9f69a190ab12be0e.js} (98%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.bc9f9f69a190ab12be0e.js.gz create mode 100644 supervisor/api/panel/frontend_latest/chunk.bc9f9f69a190ab12be0e.js.map delete mode 100644 supervisor/api/panel/frontend_latest/chunk.e4b71fa96652ad9933c0.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/chunk.e4b71fa96652ad9933c0.js.map rename supervisor/api/panel/frontend_latest/{chunk.e4b71fa96652ad9933c0.js => chunk.f1567ab5b1c58d713db7.js} (98%) create mode 100644 supervisor/api/panel/frontend_latest/chunk.f1567ab5b1c58d713db7.js.gz create mode 100644 supervisor/api/panel/frontend_latest/chunk.f1567ab5b1c58d713db7.js.map rename supervisor/api/panel/frontend_latest/{entrypoint.cfec6eb5.js => entrypoint.18a06d96.js} (98%) rename supervisor/api/panel/frontend_latest/{entrypoint.cfec6eb5.js.LICENSE.txt => entrypoint.18a06d96.js.LICENSE.txt} (100%) create mode 100644 supervisor/api/panel/frontend_latest/entrypoint.18a06d96.js.gz create mode 100644 supervisor/api/panel/frontend_latest/entrypoint.18a06d96.js.map delete mode 100644 supervisor/api/panel/frontend_latest/entrypoint.cfec6eb5.js.gz delete mode 100644 supervisor/api/panel/frontend_latest/entrypoint.cfec6eb5.js.map diff --git a/home-assistant-polymer b/home-assistant-polymer index c1a4b27bc..dc5b92030 160000 --- a/home-assistant-polymer +++ b/home-assistant-polymer @@ -1 +1 @@ -Subproject commit c1a4b27bc7fc68dfb4af6b382238c010340e7912 +Subproject commit dc5b92030f2182221a25e591df0dc8760a836bb6 diff --git a/supervisor/api/panel/entrypoint.js b/supervisor/api/panel/entrypoint.js index c52e4f825..abba8a49f 100644 --- a/supervisor/api/panel/entrypoint.js +++ b/supervisor/api/panel/entrypoint.js @@ -1,9 +1,9 @@ try { - new Function("import('/api/hassio/app/frontend_latest/entrypoint.cfec6eb5.js')")(); + new Function("import('/api/hassio/app/frontend_latest/entrypoint.18a06d96.js')")(); } catch (err) { var el = document.createElement('script'); - el.src = '/api/hassio/app/frontend_es5/entrypoint.9b944a05.js'; + el.src = '/api/hassio/app/frontend_es5/entrypoint.10e8b77d.js'; document.body.appendChild(el); } \ No newline at end of file diff --git a/supervisor/api/panel/entrypoint.js.gz b/supervisor/api/panel/entrypoint.js.gz index 5f4e278f19bd156804ee4e836b32007e8d18e2da..43e1af929bbc002e95b6f818f3de7b8511097292 100644 GIT binary patch literal 194 zcmV;z06qU7iwFP!0000219gspX238Ih5_hPoI(>wI;`!?z-+HEX>!v{n#AS0soA^l zI+$U=9sl?LU&nO9X9tk+1D=oUIhL&YxYt6g2J33Hn`7!2r$6|gyN4K1@nYb^^{OP8El?nGW!(y1+$3M+W`Rp077VBGynhq diff --git a/supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js.gz b/supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js.gz deleted file mode 100644 index 94b94e7ae93aad4dbee3adf36660b4cb0eab56d6..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 283 zcmV+$0p$K4iwFP!0000218q-5cLO01zV}bmTX>HW_i(AZyR$GGhkXO_Pt)VzJpNXWOV?@A?mEv{`X0wTjlI z-~g(Gh~~?U`kH2oAAkITzb(EOZ_n<&zk54>_w79WTb2I#55HV}xV}p5la1b-{zp=Y za*;lYyEUJG{bQxon!SMRcGDS2*PCjYOs7B2=r;TA`+TucbL5;@DySsec!TV%k#ieQ zWLhMG#yqA;i$}Ib*o{%qye4Ea*Q&CSV%N{BJ6$I6FM3r<5PNO(({oIyc`+hXvDQ*q z800Sojd1#ZYG&&f2zF`oqk^G|S#}ZYyT1t#lrj6f7J3oc!9Z=w@&o|8T^wZYjnk4T z@fiJuufYbfmy&MhT>YM_q7*q0trANH13OhSS_vb0DgQ12v~{X(*V@=D7ZiWba#?$F zqN@14_+`nJ66K^ZP+%X~L{RD0gKTBWi{k1*DEntwS)qhU;+3D?vvOn-4!Dctgzt7I zJT188#FL$PIb@Mn6t&7ry5@G7&ujM4StI3DCGSQi&rp}1@ZbB07xzFwEliKI)?AA1X9 zolCdAx^Edvx3IeT$+#wUg6n6JG)2o=){FhauP%D_IG!bfwD&kt|5+vB7DR z2H7^qguqr23WvNJQxI^*)?gFZ)oWeZMuTMEGzTtJqs-3NYJv)W%NQ#MgG7Q5EBzo| zb7Vv4CXs~H1SFv{tt>aNH=9O6YHy9Hvjuo)A=<5$qc%1m(s^Qm%#2QBxAl*2Rvk&$ zWxeehtWlFKdb9{zQZNgsKwHf*99$Wr&E-~Bt^p1~{k(0XNN&@nMHOFR7k_AFA*4db z{nmBf5y)s@Ou^vO1Jx4i_OwkKeBx9(a8C3tHwt);SP+5G20$i$Uem4X*^Eru$gx2# z$;&+uHw*qr8w{Atrp_PAk>I?m&Ng>ylIV_64C@1!cg zh;@JhxhaGeNe%3H>Z5>D9rgBHr<_)}F-=RW6C(3McoJ%MRF=l$IFN6ps;Q5TiURRI zv#4Zp8VoVYW@xI?S?LAucReN1pr{%ev?M*{WIs6sg*J3PV~eCZqR`ntvMTLorF>J< zc~7C>tj>aa_A`_tJ9UKJ+kc&%0h@K~>XulAp$c4F^tQt?Y~*GGcUv}gP980J72OG; zqNbiHBCd)^R*}*++Ejwyl_KsDT(tECMkpukI!G`Tt@Mx`2~8yHK{9~+WDI}Cipy%$ z8u#^_+a^JR=#r4xpRpFs@XPnDJ|x zefLAYUkN$)!_YTTYzuCHfA%q2tz<$VHp?o#Ekwzm*_isCP{pr%0JJ}gl~y8dAkqrM zk;pYl9S}Qk#j*xeY&@jJSp(%eNavrq6&;o|!U=_J%!-$Rk>C|98;eV+1ULK8_l+WK z(fL>J*o4{tSFr}dz^O>$KPYfUSwvQ@U~(kYdSk1Y#%JT~yV3aVXnY2p8*qCUVIuJ~ z7i*_W^a%Pxn2G$E$kjE17immS#=Y2L5`lL2OTe86%MjcYI0sL?9q+VV#+0Y6Wn#Xu zIwmw$&VA#PaEKDSovc3a4~Za`zHB{VObiCzDR47>d{nS|*23854;vexZWjm1U_cU({H0)s7i2?nB%GO$52}e%2ZK?@*gTc0 z5KkW$9Pd>y;*IDSF~=0LQ;;Bc*fQqrIEuNDhnapRUe?Njgz|8A6Jqq85N z^Vdp5?W{e_ZoOM^&`yqX4VyUcEv2Bma|rHZ9aWu6o{x7sdy#?duq7|D%SE?;!F3Mj zwlm+pv2T)WBuVpE4&S~Jp$$EWe`_$4IcH<ycolxYNk#l zq56$+(=J%%r&ZlFd7fQXEKyK$oF)?f=9#m*JD&lz z#Z@V=hi?23leDtWr6BY+<-v=<>-teDj{m`+b@B-IDu&wvvD^MCA-#I2jaZ2t#-a4# zk&ksQ{YJ1Lkq?=1TW*O?#j>fgLXc(5l3>9`tcO%Qi8HolB@`wJs$%(Jsboqu7WCVJflXr4>eT+iQ*d*#4BG zmoT=T$gWIf+uKS&L4nrmf{n8UF5EP}jfY~!WXP>9V#5CJchg&+HUEG~bLy~<4Ktg% z^o=#)O*i3nQe>YD2iYFPuOXVkPUGc#Q-bn8?Ts8INDf45H_~A6%0PN+#N9@g#a~q+ zO!*8%+7y6?PYM|}>ZgLPxOiF1xKn53JOG!%BeaH3VmA^~i(~`hAw385gn|Per4K;l3S>HU0_0GU0B=+X_0-Wd4x@dt2s%nP40ysmc_7uJ^>>+6Fh=MLmL9L;=lh4u zJoLc1s^9Kd)lu{R8@^N>@uTWhAFArwC6E=%=$fV9(t?fYJ==m>BIikZ_AN~_ia!~l zF+xXD#W?crjE-s6f%V2Bd<@X^+aLPqVaQJjgOwHQQRN&z*GWcK0p^pU2d)E9sKP_= zmgkmX5~R;8{_+Ltw$bI6FU9c7mlS{B?68|6gy3jQAKYo?v$(%{S|{;*b0_DcJMniZ z%$F}oJbWI;^zbjxB{89Q>=c<-UlL@46yf&^Ii-)s1}L_jLOZX*4ulRfp1`a(VB;%x zMt@>&C+_-G_4CYLE|iOx=bN^!3FX$do`h;ux~pv>u(Y@Erz?~wUKD+87%>A~peu}= zd&rIU=dmN1_@w}tS6OiB%Wc@d`MA!zj;#r`H9ek8J2w6Efk^~=MXtnO7tmL;>9G=` zt;mmzjoqbokaoB8{cb;8j`ME#O@E{YDyMeubhR(o9|9_zYVVDxDt7qU)R$_Znxp0b z!JWXvEtYC7ux@fMc~^;HA-&tVqc}D}V%!cBhy7E79m$dLkgG5seC6nL+nfFrrX#2Z zjj418e=0z>rbHx@whCp2^zfZq@}oNW5i{v8!lgK2>;~@^hD?$i{;E?;d7a4C{>Zeq z0@SqKkp2kOM;KBbPLUQkWvAmy@lBT7Z?aYZV6AsM2|rif2hbJ#MHr6p-7e8A1L}3c zUobr;RuGxc{<0q)p&9TS3`8Ro{GVsgmY2OtK}AMczSpml1AZFxqvb2!WpR1JMbrty z8Xy$ruIup(6O;I5b@_%IEe=X^Uc`_gWp84mTLHr5wOvkmom>r(ye94 z#uNl^&qVSt4=3gRX8N?`m0+8G9Jz86SOu^(HYXXQMV0@wek3p!vcf3ftQ8_i$t(MZ=JqFUi}aX|$x#ezxT<78!O#-cg@Zu2 zgocFRUZJSkpV48EiLj$eW~SAQZde#BXA=c~m`qB#A+;zg5hY!a`%NS8ENTi+I+^tbEGx9~flieiH?HCyGtgjI`tpAdnzL?1!R;RCCu{k9xe{t0{L#pJxliqvQm*#_y3{6~(K~GlVNgKVxY27r zLOZ}U`c@zCU$U^v7Vuf#FKus90QIH?(Eh}qwY7THpBZ5NsR6b>_s?R{;~5}fUI+2B zX0%T!D0`If>jLas4134TcHAh()D3C`x&ac%_B1%I<#7_9c_BAdUpBcvM$;oUNZ? zx)R`St2};-9e~55n)q92*R*8Y7fYE}y^XXFLGcejpk4rk^~$&L)6=M0@v@Bb_`C5p zAXeA^{#)p~P9Fd8<2Rjj*%&cPSOWo_vu2v>#{l@&13JhV;@7lufPCu*YG zSpYj|)?qP&q*grH>m@JrBhFF4Z@hkr!vC(aSaX9(p$0Nf$5D@>*Aw^N2g*8oqg@_< z4>B>+ufqN$o)?C%M6b*hM=qwJs(6$N7^nVm=3wA|n>toQp?&xwVPW(NisR`4;tVpk zU>+G!fE}Ux#fHFQLofr4uG$DMAd@}V}cAhep2HX*}qBTPS{5wR5W%^M=~H*`>GE} z_UfOYMhqJ@cBh+|&tZ$YN*e*5t$%Fs>&L%bh0n+7hmSY6*MI%=>Eq{{t6y)gK7aOa zHR2E2UT@a;*ijTt$e4!LaL6PIydf-v&pK7Wk85XQBi1FKb&7HpDnU^4^2KQZ)+LW&#zZBCaw^-p&U>qD>Naq(&}2A5Xc+gz-T1-hd_pCb zdz_t&sb(WM9#Q=KSe=KLQLd&5OXd#tR+xTi`=YSDz_VWHoU_a+yxX-i zyn2?kDmP}E+EF&^*|y)uqouvb27`b*?qha6HtzPaU}LKKsMN4*V$SWv1RHZ0HhVS> zdo~c!Fh!r6k#J`YITb_Q@>0Wuj}&>MPZK~O6Tu8HZ1yvWls8HCy$?+?d#vdL`5qk#tQ!|q_TP)J!@v;kHp*bA(1ybu{0k zMR3)BhKFzA#-J}K>!fzs=Om-<3CC`}F-9nSlOc9%zNy46eDv(!3-0Flbhz9tq>|Ng zhnK=Q#Uou?Zuh=}9)I-W-^?)P4%c3YF+RHj9|$?NJ~_Ms5+Qy2ry~bJo|Mqm3; z`!Mmfw+eM~tfYb!BGepNu<2~SV3EXkL)Z(qDXoea;=+>{O-rVS8Qn16Wg$9;UfK4R zY(p1pJ^_c*;A~5u&!9JlUdbv#fCX#mp8<5i5G7-51D%SMfTH~RY~9O>_eQVsC3Wo^ zoiC`{1|Pj6^d%9h2+*EH``3f{(L2AykqH+*>*g_8Zm3jNn6)msn=8^V^oKq?G1Sd> zUI)#xX_C6D68`b+Pfw$f==W+gM%{aD+|LWWic%8ukJ7NbU^Z=yIT+y9Z0uQ+V{xP1 zaB`&j^0K5(Vg>KV z3f_+uzAw^wDYyYnoM7g~tMmVB@5}$&wv`8e-@ig;+dMLcWGQLiL50=krRlqRWK;Kh zDQZ5n1l!okq#jA-sIC8fXD}QPAVEoWo3~ffek=kQ+`wQk7epJy*<4y{Dr#ynJR63i z=`R*H@(tlu_sIY+m=2?fveJRYtSCP# zN8btq;pYJPQt2j2H*$vy<*$*FyP2>Of37ColkGdORm77cc!Y80BJVGVQ~kX)Y%qV4 zQ#bJrNwq>Ofu9-&DA@=hix@b6B1oskT&!WT0>fKiHi32Pr`!Iu4shXXd1-xDmDOby z$TYkn<~G>ept>IoN63l54!beXRTF;4#Uj5zN6;v6SY-@=88A%g6wI-q)q7~v2)bqS zp5j1h%EZJH_MvNcrezuDMvYM;Y@o2dl2Z6x;D-dx#U8}3CF7S;i)rDH?LDS#JmwSujz(u@; z<=9yOKWR}?4YHf|9B~#YAqr8N+vxOccs8nJS%s)0ebUxI{_FeAwaoB)z{L)b0jw|a_a$Y#A=t?x zycU-l`i2rVi5xk@T%V9yE9J(V`F`z#YF5M({3+uNr0jMLQRo&Lo=jjIg^w=4%mp4^ zJ!hmGF-b}HfMyxE;&D+XUFMiy)q+558@@)Yy-x>1*C^p^GZfY9DzDNt7n;ag@l>5k zqqvH+Q;#-g5uxbYch7+aiLGs7xQ4p(rsnPF^>(v@Hu_XXYJ2c7PfBe{Dgas&Bkcka zkdi?_{T+<(IWlxBUzrLoZyK~B7=_<%@5@#MLa0@eimh*MquZMPYhAiw##uZ(+E^wP zp^6qshWB;1FPLj@o*;ngGneI2vvc{nZ1}c(adt}Qi%Sp~i9cE#sg+h8zz;MQs??1{ zv`@;YVbxl;q?=7W#I^1j4L`PP*&le8tO{NGRFV0Wu0UhG6K6EQwGBfSf&D^8#*cXp z!<;#}Int9odoucLCS!$pWsSBh15`se7HB+6)T4B$M zyg~bKz~v6fK48Pf5?CtoG>C&!wW}2$H1+MlD{$kH|J=%KDTxIRZK7%J0HT&*z3MBW zLl);Gkrc(#uj3TO;UFaeF-`)Cy4YU8p;!VFhQh>LNgW|JT*4Dis~Fv26&u+|)`sk5jRnn*~z!@Smu zoMUy^XqUR9*B;K((;Chmt1;(gCK4$>QY5mVtd9BZ(}2FK2Rb?7(rAF?>dSR{Wn%M; zqU{XXJ!WrQ1!BL;&~xH_ksFJy)^8*-?HHPDVBfXvEmA%S*! zBO6nIdi?Es;0?0Q>(n5`?Vd&C+ zNB9V}U@H)XK5JSKw{YW0(ivr5m(BvKxaH-Sb;E!n^n-R68Q5k~q;rbJJmL178KVTN z#ExDvs?FZ@t&SP4%ea%e6Qx_K*7Z(KE77Q5hv*Q4tyJy3b9YB#h}I^99BvGE-pq?t z->^FCj!d*~k$2NbS-%+tCxAKJ4bKDIUIZ}rm{#*_zEH@SSeflaYlr6nyXKt*lRzU& zLI1eALup#<9lxFyhx-QBEhBo^+3frKdOtfDJBE$;PdtmCDdsjVn0k#t@u3faPlRu=*qiUrIEk7e$rae!UPU_^Mhi!nQ9SXiSr)+ zUOx^l_vJ<_QEHG|fIG7WWxGI>kq6X^fo3%Ju@^G{aJa&X&zTtl8Q;RuHLeES*0nWZHn6rf=Veoy1 zwAY}@2h@gvF%sg62L+lQn}Z94jn(x)Y3c&v8w(*8@#~o&fl4&>A3N4)9$Ih%l8s&3ei-NCW;TL z+-TEnB_?=GL25zum$7S6)xig(-`|}<*6u*eN8{a{P*Fv~-|E`2PUzgIW^*UF0Ec_g zw3NE2d}|9Bp;4|}k2|25Z0k_g*J>fP^ePhL$iE0{MKCY^sxJ@D%(xrdMLwbTB%B%i zW9{K#XQZdf^S@ey(UBQrT`d!Piz89NOh82L zjHc+oB&p1vLpXHvX5BfVOS2tJ96we6Cpn729LN)I&gir zwxkl*kUDL6m-r{gKiHv065t4gmnUBgdha7gO5vB8-;yG^d6fH%|tfAqvh69n9 zBfrCZ!|^bjq<$(N!Lr)29=C$tEmM;*>AFe2zPr=wP#m``(Ah2g-Sst~ZA^Z$fvxRs zmMKg7e20NDXtE6bn_NJz*so(0!9;o{+pI4a1DlheIR+d6`$%8}%U%lR3)&JZJ*(-o zXG<=RW4yY86(v!aJ=4m@RsL1}mbHaqMF&E;y(p_9G=dt- z4WV+X31uQ1#iSp=6~LJYg2=5_7m6-~Jdjq&jyW|;hFrwjG6^QvjL>aQij8D{hCCk(p~1%wI?=^mae zjmI(CJ4@}EGUvbq0wo6?Eh2XLn2KDqrP5i)mcu?~%ekb(n7kue8@!sKSUAphiye8g z-Gaat^gN(E(L@yL=0>g()kKl4rK8VHBVQ$o+_%#8Et=X>F`XK-^RS>X$RpD$vMi~` z0@YKsHa8BWD3Tn91Nf;ykkGfCjgoh}rhPB8qRF)^72ZSpW*v3r$J5M64FTnzoV_aV zM6LUQ8ntMijCzRE4CWT^W+AjdCnz`+j4er2$3hWsLJWtnlpupp$cl@|Ni`k!RcJQI z*cM094Wg)B0mkz}7`P19x!}F$6Qr9cduy4JRc$tqP|=Z4dZh9VW=Y*W;q|U&Jk=`n zDk_C?h8nN2O&N|xUxu3wg`kBQV%r{}y}&}WE)t3sMoM#?Lc@8R82uBBgz=@7f&sj1 zrnm%ZKWdE#S^M{pfWN4wV zBcK6{Z447u+T3~$ddh$<>b|aZUkeT(hDbSp7y_50V~}6xJDFfE{^UHK*9a6?F(8f6 zxE)6Kw8F0s9|S&qczLRIL&FOGSPto6&4m4jPh)wevQk#)0-TC0ffG1eB1<|* zC=9#k(8XqOWax6wl#rI&IXI$pG}0A-1w$*_SGx9Zix;w3$_%$tG&3g}(>i)K+>E5l z$Kbl*3Bn;*?VLUmXFr??I$XgZ08{I7&5wPILYs^kN$0F|4bH_6wi_vr<#91{!^1 zC_C^dNnqb2LbcINPGN&_3LE2KXQ;KHzC<6qGN@+S5G6wi2AU$iPPTLG4Sh|}1O66D z^%6RjeQ?*~Hw*O7Ac%uOP-_4cwg!+og_W2hE*dZ3H$uxP+iNeRL&=)75DIreBmyx& z8H-nSJq$aRCmw7hVSkG=p?HJifs|n#Tro5TDpCTC@xgLhE6WBVK+RbWEs)OK=c&bF zp;Y;o>K)YkIBF>5@#)7%AX_o7MikSbm`zE>)uj|>nOBhRa&PduL=^aZc)FN{;8E<= zD4KzfFNpe>2q%Ez&eo>Dl~qXUCo~F?a^xJoMU!ADrBRy;e9OXh49hnu7!DvN!l*VM zJHvLqD#ZeC40=Mem*tKMnZoVm5`)vMp;QVY1sjD}>#2pQs_77e&D0Kw={4#{Wuj*# zwbQof130?%n)kPWxr?N&~B7oC5!l|cw^1WT8EK|^#DA5=8NMo?17!mSHCes?5 z7>4gQD&8mk<5m#qPVXiYa#bg(sVXjjyerOl3oZ=fmHLFgs z_@Q0AUdJL&&cgYt(^tb+Z(ofTr+0I3w;H{A`08u{2A=lF6t)D;Lfd1g0C})XGdbMc z2q;&uzZ#V?E%4Ep2sNdsP`b%XH6b|vAzVEC`0fX^aACGt6x}+UT}*owg3&3=E2BEJ z54B(_pB)eR<|948?}O87XW2IuN$`CLalnY*7E6h^L!@@4ZSpjnKbH%P#6UE|)_h|T z$d(UWh(9evaD}gSeBsd0<@|IAq$KA3)=j{uAi|5;**C8qhF?SwaTb1a_eC_v3HinZ zzkM~q?^mG?y#hGC#pO(RMmb!@XeiTY7N$vRYQhu|d^`yv%oN3N(ZgwgW+t{LkF~Ze z=8KpLrLUVfr0cqy{(;~@csQ<^@{K#6EmQd9P;t9647XjMus6k!`>IOHrX{uaL$>3u zoerh!&Y+1@5Xth9B0}xQ28dUDl4`oxx1gkcIbf`x)7t~48nDip>UW)_L}7AIlBD4% z>uY9W&RiwNP-y3XRMBZVFOc=dwEXEHFg@bZ;6;%D_Y$mog$q7b^>LXeuvPEm&7FLA zx4gb9;OouXyEoT&Z{To;KPg1t+}+&VL1A9ZtNUVDSPJ_Eof*NY; zK%K4R)m@RU?ym3;w*3sGj5W6NMd7bTmq?tTK3$6*3gx?OFi*D(|`H2 zNGgtVNh&uINh*$_`{0FkK}enisdXYCdeB^LIRx9p4RAqBZE=`>_w_Pu_mX;0u**m{ z4ST|gPFK9SFrkx$T@7Le{Zmx{S&~(>aei1=*n|n3Ls)1N#CkBGG9DEQv`2+K-?E!S zQwc|KEga-(I861x7@~77T&fTv80H{QgD}`IHmF*ra`8;aFhqs1A^9)`(itRY&Nfou*sqK)GHE@EuDjV=h}`ho5U?&YAqF)$HmyT}$< za;9H>czYTFl{^0-T0GQrt}u4GD#?t7iLOWyO?T2TRnw%7J5|lPtNp(qI|MEBK|rdB z(vmZ=^z_k!y@!baNt6^io|6s-~dP3-XW#ChzekHlAQ!fyWBb=I>8ucG)ijju%( z-=JKjikAS?yt8*hl=4cmc?t^LR&g#?@eMvq-FRT{aG(c;wQ5qY_~G}>6(Sgo^}oOs zIOHL}(S<$@*tZd+AXx%8bV&0gB&xnK(nB3UNf+wf7d8|QBQ7Fup}3Mgg-W_;?F)6=nxT~G@e1bFh%YK6mMi0{8=zoEjZ^c$it@)R@ zqZ~&0;6hNY$1BR`{0lI>$WbR9QlADKc;|%PJE5PP5EqLv7Ci!yUqMU>1cgL^ED$Qx ztwnigR;TE$)F~58p-=dz0p1&c31zK64Zu$pfECZpq7Ifn%D33)G!Qtr97UbfQB?0W zX2+EGZpyVTnEdXnX{gRC)1f7G$fUl*c-+s= zAsO8o9+sdGA~}E-K&UoqKOO(ZC0Kr{SqCEW`@PFq1imw>Jcjr;D)}UK&REwj_pZbC&~M0o4huvgKq)g!Gm}D zZyCOhlB5jZM*xBWXgQ{bZz5V)_~!-8$BQR#cs^dhe4HoUW&LLUVli`NmR$ln3K2|Pz@JDw zhrbDqws=Zk6R44g{ZTU^&&_N+ZKh%?euUxIBo8f*?~)CS$qGi{JJvMWh*iIQJ@mZ6 zoph6w$#ylD=oM?O9HrYp7=~W6g)}HCGfsY=B+8;%8;#T&Bx$x!UTco_~wf6rPsTa0mO^yc}|ca-U(Xmhssl}S&Di!^gXe@KefI;vtb_DfyWTQ z4ji}xVOX;1AaG}+9@_~-i+vu9$(<7nsTM2fXKmyn(N`kuyLnQ5szPhW_2;9NC2J}S}*#)EQUf`x=$5oZzk(Xv|>j&tz*`|<}NW8x| zkg1?ddXjdb>sh+F1?_)B+43J9jq;4FV|4x_?6o4CAfH`G$Bt`9h}8#cIV++A^;dVx zM4kFS$}N*n$sxyN)8jptS?JOA*~0$O+B(p@5yUZ~`#1Ds9U4uwXckO@7&1;n zm6&B8-qz`8jRC?r(LCZg!2{RzUy%LWI+LW>Ez$EF_H=itG8m8dx7rOL4Ib=XBIIbt z{hIsO*8BXIK0`wc6uM`~#PgaC2yz`|Cn_ZjGLaY>x-t@u&8cSDY5w#j?8heuxcIm zamHMit3B4lnvQ&LS+;Si-_GB4B;cQub}QJDawmGbXO}NWP1b)`)iuK;eF^&?d#USe z4P>|B9cLr^=B+c(?T9^XYJ47@B$d}IRuf5WbhsGCp)RRn8(7@6)BVk}mpi^>oAw(PXN}u= z94gOxw@qwweGJjd%t*&U9Akf`a`_As0p|+D?GhcITx|;^4r6Ew>>JN+$#=WRIx(=S zR-sl)EWlj|z3U>+zO8^8-s{Vgx%bCA^kgTP2p8I}8WT*$=fOI!+XPQtuUL3q47gj} zr?S``mg%_qnXW`pBfUPs{l1G-39lP&HymMg!gf)#yjJT55m5%g>&RAPSkT-cxzF zBIs4+ka~tsXon1j8{?$~%#C+SU_;fIUBOv|Fl_65{YJWF*nqgw`ipG)0y?(MU%K$2 zw;a3WoPb5SP45)t0Am~W79IK4kUKY?A-%iv7P=FAR-C;q{40z!ZTU%YFkEY`&}oXj z>3aVYDzW#P$P(8}k|;VZBljeocSvK`>Q!JePP&D z)&VrDI{V*_7Ah~Z-RSkgHQx376qml0F)8KF>^`c?VR*3jJ`cg?gO{P_ zMZ~9nhPM!{mk^&`Q!OHEUdhbCSFec)N=N{*j$z9Sqv-vs<2CY!G&Cq0wxztXrJ z|FF}{URQfj#fTwxqO{=g*zSW&Jd%xS=7?%p&_*Hvo8jx=@VMeu63O4+N`~N8Qpn#* zO8fO&X`K=Wu1!h1QC3#IUHkKk%KxH+A9znSi81G@qFEJdBc)PZWe|KwY?9H}Pygff zzdilx`{!moUZKROFa_7dhdy1ymV#Ex>*Y}G`e#1O7@Qd7Ic{D;APW!7|VDNxs;Iw z)H#ZJA-#u@Sp#r_y-ij19Z$0Z=N~l7SBX0h-0;dBuYIdV55loS=6mPHa6j7+on6C( z{?FV8xEwhv^~CX?-`g|4Tm2(8H)Zs<(_a-G1^1|mGWx69e~I%H@AFu{{{T6>mFohJ znj-^iZQ#nw4Dom1u=9MD&rbbH51~rj7TE`{w6z7CgICCgK)~Vzg>_g z2LM95oBHqW@Q&u6b}pUW4fwC&#sb`*y2&?T)F=lCXF_A2br3QmJS+pocmC@4@mDyf zAtwFH`!Gie=h&H5p?)?OK%FKPw=;E~;*5HUa36my^YLRmOz5fJ7yJ(E-d8>Q9|_GO zQJ~{bQ9l|0%Z8qdD$wP^Ud*xE8Rya_I+4vcI`}R2YDt)dP4DR^-beOj)Z@PbC97+* zM%SbAT3uGKB3o=uTmyjHr>?t-#FSZ)d6_E^tj(9@5e#m5fUV8#CFhjVS;Fk4vI?7c zbX1AY7t*MIyv_Qp6k4|sKv;;H+;w2sl|P-7KG(7{Ku0U<`D&7|wC0nZuKsK| z{(bXwwF@y~sZH~cHTTJMWo6JvqN2Dzk=~9`od3rr7sa^fe9xQ9_Ly>M`hj5l?5=>8 zc9K@|@MtD^MzOaqv)+{c{xbrm3mlIt8v^xIZrU40UA2ktWQ880Oj+|~oi4rIBxLSEX%-d` zfa^WGxUS!uHl15B9yArugoz^xQ>4l~mUFNBU-h#~gZjcBdW& z0;AN5th;1VPHktRY(JdWFPlh#o}FQy4od#rn~)JDdiDh;dKcDV={jqSqp@C_m*F&m z#bhJvoyW?EHOcEelZJh7w-k|B*W46d4O>>AZR<`?_bJhdpbhTPp_6!Ao6s9nzHWBV zk;=7v)85hy(sDNMf;Ufzhqy|5!6I?2CNDZ5_G+CZ?VTlhb-f*(TaOh?M_16z5k{N6gq`%kkX`HM*>jlEn6?7>S3t#QLX(eJ4_VdN9#yl_Mb$t6bhEwZ-5V)i~b)vnDY zz1(7Y_p{%l!s$$;S2wq6xU7z#b&r&lF|2vH^aRz!+vFf5r zer=Xi_L1XdRO2bfVI+-KW>0d~BV&oNd}bV=9#eW>#sTU<3HU?Yf;7Ui=mG@^Q1}`m z@|g-#Q3&p46l0h}=EG{M_VkwSrdvk~Ol(_A4kKDBwP0^8q^01x6Ek^6N zkOUVxATW2m*GP5bHBudSja2ApvHvEC$%k%|>^w<_n!&7x4;Gs@o}k;@I4>v1Ih_1Q z=T12Mo#V3=j>5AlpF*vGhKktF*ung~N#&HdQ;G3A4!kTx`Fv-oBPWgatSQyzmQkVA zG-?KN2e(UC8L-=IBmBp|Iwd3+;bvNzQ_2 zX@*y^bc3hcAk7A8Jt+hDzm)6CAZD0NA$x&pKmC>Mr=R)U)=Y;Ly6mTWqDP10uYY^~ z^6ATGfBnzbFQ5O9@1K8X>vQ~7$pW3;zJE!FCaHD^I9kf|O2&%ZaCn*_XU=}tXEL=T zb`!Rl=ABa7w2d=pQ#zb18nmuxh{ruNi(h+K6*z!LXP6vyQzvb(qNMyTRGY`@jstpn z#?3`#tke4x;R6{?s9X;hq1oEUUE-|=Abd5^BBS|q(qaCn{4jEirfe3qg}Y{WOSZzH z5;BT0(m{tjChNkYNr{C2rgfk|5x6)CE@0j#Z^u*L6#JbwRHsQs zZ-m+pkc^>wk#h|EYMtZKK77v-t3w!rouupDA%**-qtz>ln$y3BDKC@}V=0F>l^Q0l z$M;8LJfUA;bnYR_R$McR-j0VfNsrg5Uino#P7=)RsEnWw=deHzOue*>OS9tz?7lQ~ zfqEgLU?RFPNS63s*M14PEd(D*Sz>8Jet_4%LejKIo9j7ZK*_MS*DFWdMJ^o z_DgB^=(+n;s}qtgLh9uAe~Q}_c(5(y0IE{UDwwM9F*+~#?6G;)B7F46NE8Xg{V5VD z{C*mV9HS#qVr(?EJk0S1b14Zn7$-a6af5B^9e!Cz`I8KN`(4Qr%D64kxA86Uft);u za`c;b^WVM72Jr8R_7n3t2Jl~eotM?%7K8L}rAn=;1UOzhz`a=K@cwa=&JM`pK_S=L z_p+6!z30Y*PsiiUJ1d%8`^JOG=G~yo*J@>@)qZm0!6PTj@FxFhh|3`@@SuqY=m`mTm5Tgwqo^@8!WIX=F z%1!Q?JJH4kwx>o)yi9M@`n@mN@|5jM#?d8T%TDV3XPMLDn3u4^vtXzlPNLSDEN~`| ztijHI2UAG!{z(2Y1VyRXa# zuzj(rlI**INBD=$u+oG0^DC%T9~Am1c6_T(44r+R{L=h%;)&ASkyfPS5$JXqxBcY<1$$0NF7#`!H!^nOW+Zgl*%DUqTb)+ zE6Qj>m}IRbooIzI8EqW$Z2exRaR3t7m|>+8H~vn=%j=@;ZH^@}i9A#V8foC|!t+;e{|0ZdNK9TU-% z#+u~7gM*TG0><@aPqy)%Z1z&5yxbnj8|0Ul2*xY2hWT@zuVtFmKq%njW$Bi(6V`fc zrSMwpMAJHSYuX93s+=zBj(g+v26W4Y$l4$U`k@;P1CjwM3Dx#zns-_o@$=GXNnAc2 zaRPyraxL|m)O^HV;E@a0%KJQ99nOhRJ5hG)M2_d)+LFr6hb8%QHR+fqttwm{jzlbj zU2=uKD@TBJi>Ftp_;RD&rk$x5;Vho#>0)(voo6ySV`n)|9eBWv=y9sABGnrxHeul^!^&<*2{BNp?69hh7;o7sJ@&v(TWk2OmU8p zjmaLdEuP9WTyj!T_!4Rh39}Goz{LdG?zpqv9Vv2CeuA)X`rs^6R72j8i#W_ezPL;X zUm+M{-)FF}S>xO^gO!v&u5TXDp-dKdq*M9S2w<&$t&_vZ?k1Kp)BwXJW3L)JI<=4w zMc!1NuGHu`NAz4pVDJbcLu)YTwOb0rtmi~Q<5ebAS+`&lj|(17symdc~`oew!y|9-Lj>h~NQ;uBP_Os{uv-bDLLA{O>6KqsM=8qMuOo z+6DfcVy`fkeel1^f+)s8ry*=6DYRN_xp?Xzm;I}B%$>V_HecUpAGKK^h~bBHC{RWRp!BD^{E@vd`_e#iSmF(y zJiB`t4}S(FYCx0$TNHfQ~EFY6JjxWukaHuk78IeBw%rc zTvy%vVFM)wAN_uU|3y|IdvYRnppwPl?X{|8t zz?W7c{SKe<`QDk1@h2Rjf9A!9cu*pAI3A7dHt(9x$@pOAi6`@s&HN&NoBgbYPJT&4 z$MV zHoY$XcI?V9Z*l!+ID9llzB4uS=y~aH{^-%MUG}#J*V~7mZ+F~a((R^w_=bM)A-(?; zdzkC6E#R;n8qE~DPH!;=a){d4{xP8>C|3+V8;@_w$eUlQX!`Mr7hbV?5F9Ss3=cIg z80i)bnN*4gGA*%>USL+$^>>3)5B20yt=B`%T)^kd-loN>Ja~LHLq6@D7$6V)Gjsfc zyw}WO#bR*$#35$=KXc}=C;#fH)2HijyYWt)=NOKrAAVx*vn82y`fW4PjIQ7`IdV>s zRQ}g)*5fCY3C-VjDqfsd{&_wA$n~F;A9e~2P5A3h;&OYTmctAAladAA4#c4T^GFOP z(f)k{f%OJ;>AXmhBg-8(DSTO(U$PDlD;Yxy~z)P2x|#Trxi( zm(2Wf$rPh=mP`X|q%x6l@N=Q+i!ee*!D}^Qf(GMR zufaMC=2q%z=eJ}{*SRbPBEzX7i4>v~D3&(Xc(+>!iOsPyBRcTr-Ys_eZGr3jEf(UR z3|Br%oZP3)0IjsJ)Q(`8sa{=%htA%faG_(}(TMEgzJbOF=}Csn-@b)PU*>rgx({l> z!k*a~WCRcW%i{fanthDUY(5H384{&7*yD4wbV{(g(HGx7`~K_a-<-ex^5xUN=#Ou{ z{o?sdj&P^NJ;F|1p0#h#s&FNH;F?WxcW1k#W7mhqU#tHyhd{4@ATjUu;1uCYH#oOC zn#@)a56Z>|r>C$+uuJG-q_G<|16@0YK^twO@D(d-c@(1eUU;SGD3qsqrVZK9u+}T> zA)`mDQMUvFF)NIlaAxcDqC5?SaNbykqEOd7*I+<0dO%I{Ea3 z!sd{H$HhNQY#6N};KGnRQTsedI@RFv*5@5G`q^4R%u8JVD0s9Q*bkNxSYL9Uz*f>K zs>76iqq9e%#8{F;K{S0}{5mOMH(gf4O#g^2gsXf5LHIi@-zrq!(Dm`59^Ed}QU;J5 z#4=f*=0YV~Q|7Ruy*5Q4KI>C~oqw($J+1RA4?TtM1@w4Mm%|OHa%~ z>eZ<{t;_wKOjSvK{O=euqu!D3iLN3E;9eOBD;mp4$n8KBhi-ypi#irEIt?hVTO?-| zdRR}@DG!&^p17@OKmEmpB$NCInSi(1DfVvso+ryp?&U*S6_q6&xL=Y8z@PPc~$N8^GLO{SQOnhiIqke465}{4hgt|E?SwJGY0plicq4X@iMNMxal$4>g7MbYN>cWwak^v&ehY zOXQbr+-oOORi30NmVwRMQv{^?OTZN4*SvK-omUGet<;xT%SWOg5;gMhlBv722L`XG zxbhBykfW&w4-m&33C#L~M}ki~7ptRjm?RwL-ocJ80q{Xsr{bn%Ca$IDMYTaNxG9$cIM1y{ow#Z(ai0KkLRYybcN diff --git a/supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.map b/supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.map deleted file mode 100644 index 21e86b5d4..000000000 --- a/supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"chunk.1f998a3d7e32b7b3c45c.js","sources":["webpack:///chunk.1f998a3d7e32b7b3c45c.js"],"mappings":";AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.2dfe3739f6cdf06691c3.js.gz b/supervisor/api/panel/frontend_es5/chunk.2dfe3739f6cdf06691c3.js.gz deleted file mode 100644 index 4e4901cb5d93e203019b13d84186270684a084c6..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 57458 zcmV(xK90` zSYjkO#~S|omcSgj`h==do!?g?#6Wf%+`}@Dlh5B9C3F5lQWUcV4f3s7liBRw3$`2o z^B=k_rNbvw9v+$>dgc<7nx z;khCZ7IbWtK5mY74hMTnC?~Hd0e!w54uV8UWA!#c-<uBY?~JPOMz+0qXS03Z!MWC(X0i-YUIenujY$KC5{+PeTz{ zFc$qY$-}d&?@k9OY-NIn*IK0LY95l~$?RXl|164my8DWibRGon^xcHaQ=f(bJV4@3 zC?1}sD?sz7a>Hd&h@wy|=H~E_$m3Kc+YNdSnujx$LQ(v4;uD3YbT(d4w&e%v@G$%Z zmOlv0q021cTa^D7Wf*53;6I)2wmvjnYqf#?p_GRgIq0}ATl4TF&odZI)h6Fs(0f(a zxI2)k(v;=cpg0*^Tn&C5jOXe6BboiX?#Dc(^N*d&6%Q}hv9xOQ{Z%L3)LB)*>Uvro ziqF(iWPsJ&_X@eg++?bi=#Au&Z;IlsC_?1R#Z~bkL(Y5vtsjf3w85E>qIpE0#doK* z>)xc7&V{RG@6}Rv&%^n0sxPkQ%P!Od5ATHxMQb(Xsl)Onw#k}=KZ7=i#%k2>+z8&$ zkVaD+?v$TzH%riD>V`-e%BJu6_#dcB`N7ytbwn%JUhyRglcGo+Cbn6|`LrmeN8_)8 z@fc5j=DH{lFY$Z+pN{5dJ>p5YAAEw<=|fID@<%bB8|wMsdkEJrsyF=m&ZDJ^_9MII z{Vh`O5Y3UES!~RCya6Wp8J1e(R?|q_5?PxGt^<>a1c(fTOyR+ov(X~RK(6eXMm-;` z;fU=`sZYeQ#Af(n;$bpnSIfDp1$jwa4C_)^i!41yE||UV$i5#%!=a@RXxOMbm^upr z!L887RxdPa)==3xzNjnQD_oc$&U3_aecaN{^rT*?tgW==W}+dsaGHU8BT)52`X1%R*0^?kI(CC3+}7~1NOvXzRRrz;%SwE$GlvF!TjQCty9+X`AgkiOz>}5 zULY~;Yb+8QVevJOHOQ(K%BtmWV<8RQ2kRtQU6d;4Wjubx%~}~tndKbzM-N8jJ(dd3 zgLHX)OX?yaviflc-6&(!-!-EwlZwM1f%Z+7Dt#;pN5j(fJOamdvyM}B|4AwPSZiAN11Hv-P;@kki{mg1t zE>kaA#~KF;+GDy=)EW0x7FA`n)-QSg6A7@u3=&IdZ||KtO}+C@w2mLU51@K^21%S{ zB-X2{WW&a716$W^1>m+o_E=pYm_^wksYFSW`+ zTl9jkJ3uyaTy*v|C9wz(4o@)Bh5XdOfeE^+uQX)N5FKJn*NRxX+jI8E+|0M5Q9N3N zw1OUo_A==<9)e`VGA{7HD5@J~IMlbw#VzsX)?=z#%jRfQ6y`m*&6df0Vuz^9d~Sw{ z;eUFVeW{t^#vhmE=J@p~;cGQoK4Lu)!T`hG#o4yWvYZ&q`l$~@U^ndsYRJs8tgrhI zoi!S-g$YE;U5|Re_~tp8N0B~)Zs}`^#llQ4cvq_4&tW(&KlFhF_St=(WDx6Xu>rNU zWS;KM=(%Rlj*RaezTHhBR(Z;G5c6Iv@BT*k(DWyyZ#JCkT+(&S)VvOoDw zX|WP=;=S9btpTrOKXfwRQOWC-|LY6H;vfWXr>~w*U((2dOW`n74?@m1<7y}!HWY6) zMIrpGhZ5f?TGX>&7!MaP`K`ae(2nuLerp2-)_!7*Fx_d7h_@7xkc(cT@e zJ3qhU1iQEIdv{S|e6jo!l4gY;YyRXN6P=LXJEU=7n!7L2-zh_~e@EN|nf^bQ#egI+ z5d6y8wpl)_unv04;n{E7j}1CbVc0gB=x$oyibPilU%P|8Sci?O*hq)3y#`)-g#Wi2 z9dT(lhIo;j3;uKvtfR_Zz5-r`L{WAxl7bhtFOhvc@B~0$&HC=mpX$HAVU{}or+BzP z?OA^^46xRc4TWNIDjqKNH}B#5`_97(HQQ&143^LHWU}yFv-KBC2}kDcEmfRVo4Fhc z!f8Ewv_|+65VRmN0*e9-nB%e9iya!a&wFncYL5M(2onVyOSc_^wtIxHodM&3PD~hx zVIYcDB#`C1ocP%OONi%lyw4C8Vr3(fyC+lD!B6glfdwn}XG?D6C(B~gE4$0njBLD& zTd?E6pON$IDaq`nl%M=H#&UTV6_PIn_A^OhwU8F*w(MyhOq zS&k&v#w&L+Qt-&rPE@qn35gCNXLmkJa}atIPsd&T=rz7$Prkv;gM73`aOFJ zBSq#g!l;2+_P{JxH*(}|I88Yj&vW=P!uZYS3^x+kamXAvjjZP{bsVxb97e8ej)B$4 zmOUHU_&t}qkt}n;X5@!kmXK|k(z6_nN&dn}#ews=W1EsQHth1ak-);Zj$vfrd7ka2 z+$O(c$i)5p#WZqdP8e9R$&zu)X5ywz;?LcxWk4j!zw@9M|1J(-&0Z z-Bvj4$jB4Rb1zuhUJv~MbQ_J(rcRCca*yP1OlA4_*M0T!T#9`^@WW7_<1C3JuO&k> z%6FESH(qz$ib`15o$_#;<(-TNdNIi>s54D-wKI^6I~5npK!zHTR0T___O?y)VytJL zCPBC3pAGtajLwaaf$4&ZHzN>PHWLtKq_Cp|?`&DkHdzTSyhoZb#EU%N|i zFP57Gs012+E`gN_OZ^gP22>$U4y!tadYH?{>v2w?U|~X98XU=xwb$0e++7$aZ;9ng z$%qz$#VlZ-GnHJAD7Vv7&EPn#?KPWo+mPCdt=yrNaVKg@8KH)wXo%vC_{5AuofYM~ zcf*MDh`NU-f~7Sqk%UG1GgvHCVv=^dooI0J<6B4!#J>xFWq)fZ{atWj-q_dtSoyw2 z{rHd6Tl(+qv-(zE@xVXq9!Bb0o>fHtQTI@w8i9XwaBPVur$>U78j?h|+tQUuQZyj{ zCKSH~rG<7`Dkk|ZpfH$&(qC6pDdB2$;)SbpQOkX>GTjpFwVE{!)G7WKT11IIP`U z>wWUVzK*PKjD7+6zJBaNCD9jLEr}(}erLhjny$I$w63zzd!EkmoceoyIFE*~+15VJ zFQIteRNyW3vDeaj{e9)6;r6%OLWhztH>Q3VM{`KWa3H><(t{?{Z%BL5=?SPosKG6FKcsI!F?5JyXQ1d@d{aM>gIo8Jdf{U>i(nFrV83X9pZDp`mWd6aKWC z9E_buvVGhHJ$iaD+1#8WZh^?*J+{mIQ}@_YHlZ|JMNYy~CTL}IGc{3xlvX!b*k>=$ z0(;6Q&UYOB6h?pUX=B>v^)A;Hdz??<{quOqEnO4h<+`7e9vqu=rONMzuG6$HFCg!Ta!yyUd!+=i>{Z>`!uO zg%XCYiwe+YgS`&>1Qly%^{LaMS*svgks+F|;(=7)-UnbF%o~^`M6;xYXh)^s@{AYo z3sL1*P(&f?nJr8PNT25Sdx?$B&7|RtB!J$TNT(a1>U_qz^z)ORi)7N!`u0gP$pMST z8De;jW%8tuI7Yh*Nw)x8MvPv^g=l4P>rE*vN;kQa?0keJ!bh~QVg#wxx4~Kal=-UO zq*c9vaz4ef6zyDC#P#(%vktC15b5vODlG%#8dvOrIG&w1w(R3Bb1$EIEivbCiMpc9 z&C}pzEt+9COLiaecofxoE*1{!czmL?N%sCibZFk^4$O9aZkF2IMO;|g>nelx4Hww| z>se3hQFoZXtN?FbKzdVxfT9SEObWvgvV$OEe7JC}&i(8B$cOC>W^V6xibrmqBH3K6 zdI-~8I9!QgW5qJnrfSjLJ3l&Vz)UjX`_4@El_%ED&S+g!?sA?v*O`3gOu9L;s~idVm|qlF zcwGcwwcxXNl6SWtb9oWrE;2W>lam>&F+q&u z({9{NF}z88eM;^HZJi|<;LFGRkg8zU6*Rh;G@coEs&88!RxVf>ctl3V0Z+f zEP?m#rmHvL&jk$zo{P#aBP`qJm+J0+|9zKG%3xZBWxH&TZo@&mr_a?KBJTZ0!l0)P z;%3UJ?6LjNs#FOBiw%kaL|2UY$9Ube?PiI^&2zz(Z*2wX!SDRqJ`n7c;J+Ji@>ac7 zMr32(XDw%8)Tbsy6FJjiz;mL*8bt;IYwn9%-wI7)?9rD>mxsM?eQUVh5 zgsP=jerruc;YmOV;3=J^eU;bh9bl)8*Dzv1so-NY66;COTOYfvW{aB*xE>nz7)?0| z*!x_;g}tR+QC0~4gCmYmH-cOD&kFtc+yr*sAHKbOyY+7PcBlPgc(rJ5MYz5VT(ArT z3qx7Eti1zDgjU~S^|z%~UpI?dqWJGGK*?28ITvrb?PT?W3T%fQ*6$RhO`on?Z1ajYERykff)%qf&MIkG?YKCK1mn$d~uQ64p&F4Wxo! z&8%)<&dDkH(Cu|$x7wnQB1_QT#*7CJPj}2_Wz&L-F6;1eS6@H3E7QJV<8=;V$rMZOmx%!CfQMmWr9%$GI zE~_IWW*=AJyN(CN8$YxOCG1TOo?*o!xpj(>cI^INPvM2k8$n`QKc#E#?{q53xz}=} zx~^_P-zjC#ZP&Z4?^LmzfiL*1TV|XYN*ZD`B@F7Pt!CT}&h! zASzWUu0o|jRZtu9lo6MIaEMkp_?O|4Hg+?^C;zAJPrKtblKf%xtB7@a=0Uo$OTY-{c-}EA3hlj^ zcgNYQJl)m-i#Qd*(750b1ZsE$mb^#-B6EUBsO=ZkK7Wu~u++^w2HyauPD}qJ=cVb- zNJ%3p&s=gpjMA(2at^M5sQ*^k!?2=W+tA6p>=)rb2U>aOej(`fcIH0keCYd1c^6e; zCD(+9z!p58)(!Dt0hs{_d>Jw$t-wxj|5y-UJkJ!cgQpL$mAo9fPAOr<6Pj2BwC3^U z=Eig$j~1I>UQ57j;z{u67YvhxyQ%I1C$q0m4J)`dP3OLd`ZmTj+gB?(X$#o7Wzy(C zl&a&#T`SOBNX5dJ$4cd?0PHp{#d^BgZ{G4p2gTh^$2+_@m0Oc_;UeHw@$jJJWVp$t zzvG7u`t!#vkm3YYYP7v$8fB4_e=(-h7FI*<44%Q~-MU}MPNmTB=o6NTmMrPG6Yf{` zBv*ak9n}l&MtZ@#9`q#?gMXBay1XvU*vP%M$MXX|m(da5-wE+}bvHCbtq#K(C( z9#Y7Rho#cx@H}B7*xYbxh2oZhN8|SX#~cdFUq??Iae7a}>GkBS=!|LN9_G2ZBo9Xp zVmgMq^W_>-NfSysIXz*Pdq6oxTG>J%#^l-rXRukv_6xW^tQ0Vb#2Hc{{wcHQv!)#gjpALTVXXvf6INGOMU|E1 z>p?*r#6dS@UH|gdeS0Q`X@%hs%Lb9b{(1-$Yz}8Crwo9Vds;wag8T6M-X6#k+gk z4edcMa_-$SBtFaWyZ{g7H(QXE2yzU`=En~}LH-r|5=7EL=~`FfQ4!c40$3`lDTiLH z{0oBzLvr|rL@_O%JDGt|{&L05Km@4e=-TO#334l2?a%U+#{Qa7V5Z-)D=Gg_|fY_OQ(MVF~I z$vn1uV@>1Rw9wX=nZD|Wm)B45O)fF)BHJJ9Iz@MaHFYE3RVN+W*i$9{Mac2Q4B*Re z!wz--YUwAiL?rEep3@Se0}J$@(?hewWAjU!`LF*9K4A}$6*mv(9t_-oJ;;e%1{8-o z{(OAZ<&B~Aj8p7ZYMiI%^CL~E@Tm7w5h^cT%+9e*=mLLP&S`nw6?&39MEU52R+OgW=9sIJ zP>a;n+0%{dp)^);y<7A%5nR#rY5qZax?IBPO1Emy%hh7hvXuJF)bZ2L{j_~&hF)5= zZWpKUyON0w#WYBR)XFZ~d9s&}_)WLo_c)ly2=pPBHoWm$#^^+{WsFwr$qIlNNRbt@ zpkVV{oo|%o9@C(7Wj0|iii2Ap2p!KW&+4EFRJx`Kh{4k;lZLs+u-sCSQr9XC z%TMfI-Xo>!o<3oQT&+8S^=Ln?vFDA$i(XjKI(B1p2#o0#r!zI|OxE>}XeoU!*7Yj`#u}-mh#VP$m58OA<1p&>;y*A3W-OIr{ zCR237FC>07^321bI*i!rmyQ#X|T}Ux~G~yPo1_drgw9^Y~AU;Z_ zTij`C+}i@Kc<$HfzJW$BnvIJ}=cc>7<^Vq%`kDXIB1EHMo8b^I0HoMFjlT{Kl9P<{ON17Ak0-dRg?;;!F+&tCLqhc ze)2Wd4KT({;FmjE{kI3TiOJg`Z{SX0lu0cxjsLnE&0omRa`{%u;e`T6E)uGR_gA7g z9aA$Md$JK@j>Kb^LxiboT{6?qWl7p>wt}KT=0oUicfyUE9t&_h!o5TGV3-?)A zk(*pd&YUAGpX3teP5-aOd!QhM7r1r>4J9hg4#a)J7+<=`%7+Bdpj8$qMf6@BI52-|rD7`l_*UnecR zvXSDwqarG8D=GeC{G&lAKI+biF(-lA*0<#oC-TWl*XyVVUXPG)Ae3z8&f z>zg@NJxgzteeRvKbOugL=4?FoXIBjQD^(=ob?8#{e*R(pfzlhb+L-L%QjHzu!8d>( z4t95<1th!rt0LLyjXlI{koly;{GZ|9Rj-U1h&joRVDczktJ=| zh5OBD@se~nbv$IRO=g`{Bn9^QI z?)`M)JD~>Kyy?)I^4P_9+SPHF-{P>Yk$#RI@wej(B&ozU1Figmi;4%LTV|}HJj@va zTqTVzbg6XqKmMw{`vl%~!R}wLci*Ht7cHz7iY_|c&!u0+MHeq*g}VWmh zCQeZ8LC64-xK&w_nLEx$T@ zO-;U1w_Nk3TDh+*P#Cv8?xoqp+S;p5p0Zwae$n~8XzbcSs--7q-6SK=CAUW#Tftd;b_niQ-w>ozC2kt7BKAFrfa^L$b} zN{88L6&qc6>~Xe4dSgPu1ikX9*dm_5$x`*%-;A?QMfNBE=!|jkRTCEVcjZTp`K!^7{Q!2=e%7#3sIR7NUOwy;z%0WYAKz$-#gmCjp(}xG+7lcV6jkcjkspTtRkYA z_$zuc`O5q#ZjM1G`Ww)h{lt$T>S*;P(#HB0Cdxj7!%vE-^(-PH#LH|fe#5_>TCwt* z$@PBw_Q*t4*oi{yL~kO{jm_MW+}Km6oU(Cn`Yf;FSPPx?Y%4YtHzxNQw)3F+d+6Qp zHeRc_UeyNJ*>|L3#ol^C#W?Ve`pk>ccH0`$^xd|;+p+hmzt}0WE27*L^M|$Hd1zzj z(IccXIb)wn1+%}-A#V$zl_~mXJgYOi7x$vz_qJUGZs!}(P93+?EKC(q-?eWCjZ*zO zJpSWi+{wfp_oJXggFIC?%%NR%mX%D+0gW}faZ*hk(wVbmXyHPV$R)j+>e?E;>xSig zBU^w5bs}q(e zduAhAO8xM&VCS>qb`&TiplNROpfB^}XD4j_6+W=_AG*l6=&$_^azgsk@b2-Rup1lm zhq{PIx&A|!{@R60iY$=mJ%v9e?`1N?D}Mi4!+Q4*|2k7jsPadb$H(4)I6S!Yem&b| zTbS5-1L21-5KfVaEAq{*$y2IFe`cDV3tBj6USM@*N<)dC7BOw;t4x=ASGV-<<~F6S zo2)3QajWy05>L?Dn%ZA&nnTX^bY~ZKhPHla$aD^xaOwbn%(Hgiu%%W+K^lUW20E?$ z$AP|O1kC3_RmJ6A6mW#&{3@)YnH_2jfR!8KN-Gzpxe^GhXv~tQGUbb zs0vx4fvyq1tVJ%a#hulhhTOZ-R`;aV-HGYDA=u5EDl5O@?&x+P(5e;Hu7^q+ae~)( z!65v%`SeI39g2{V{A}1bAED41|C(+uWNA^1+f*790jBJBgz17EKiQWWtL;D~3NrC@ zYSp>5Vx0syKvUej?$b8(W(9<(G>J>nm<9=w1%U*mlR-ONCr%Qzs2593?EUo>WZ+dN;`dprf!|`TD!|PMOIps zSG|QO2Er?z6F9#6VO$MwasO$PUE^;Oxv_)%^2$Q`7mzcWn-#M>uQ;?%hcHdM^^T>G zi<>l%B$i`y&C7CYj`@h#I5FmpzL{SuwPFV#>wSbOdcPdEbS%?2^H%A+$2Tn1w*Str zHS$1#&&@Tb(T5e6?HsvyLkV+sGxE}35(NhYFlI-xH}8WF3p|oBUYgen+y1}2UJU6 z{{JQpuTsZ`fx2NBrz%Bfa*ZSyegkUdrY;FNC8&2_tM|ab%P|bR6hm1Zfre8}rTBAx zu(nTKdjH^8l>D;WZyTGG-&uKo@X?g8wKE_O>Nf7X#ue z(*PZ>p#AV_ZYre<{wmap{W$jPw11&r=~~5Ht0yo#E>$_Sc7LMa-2qqr?8JIbv{wOt z{}yl86J1_B>BXS=l#vZHje40&jv7n#U$zTw3RG z1h&JJ-f^sHu=Yj8)bBDm>M^}pf9#J_>z3ErWxuap3weFE&{ZOkHM!d zlty`+&OmP!)o$OB7FND(pYSGy{RN+aE~3Ir@85JtGY52_--_|!X70ocZ^W%)kR6W( z)xN9pZPCHA6F8pJ11MBDS)rHQoi69{5<=C3qaKygSzF z;?)cN#QY{?!cwyP#7TC4bIhY1MFte`pk6Z|Jn6jwa>+B4bUdctERPBQp6@7DpyX5` z5smikE8zwTxm@N1WnP|h0xbkS^xi-<@JU2$W~?P75^af=Wt2&~Zs)TVTNK!2QrWEmwa;nB<)KjK!MPWK zJ_90+azqOk&t4drN55Cm0w*U|R$y`EWuZ@;z~agPb7IeU%I9u@@$HrvpY}y^83yx< zS&}o{OAklCz;@&E;uq5Bg;t7jbEvzv5vc5Uwp+C zuP{U>m02oO23Xiq4yu5>NIU5?#fMt#beN*c=ke>lv_qq-D+hE~1jw5(#of8Naip3b z<(IuO(hXhd?hra>$pAH(9ruP9O23=dPdjHm5Oc~!5xdd!9KN7@3Uj_~ zUYYNP9tG-V!pH-7wl*Dc?weI@+|5}+V-U;0`l&zX?xVK)ehAZ5+L7vlr&0<-30uG6 z;k3;#@<4NsU(*m~`CVOjtxCiPD4_vBS7g3@LIt2H+NLcs+9pl#FQzHNt?e7VR5I?} zgb$Qt%+>^BQTj_QEb~<}FTRm1_!?^>90oMOF0pM^VOfqVV?YZd5qr03j@c0q5L@nY zJMqX4c@Q95y;eMv*EhTi>FjzBUmG^4S#06A?XUN^?EOi)LZaFexy5nfBohTt%h%XG9(O zEOsjy#^hqk{?2dsN6OdjXSR(X_&B37oNZ8`Kmgu{&pJ6?iBC<>+im<83NgMGW z!&7}D2jqoyGQO}I@rtv2)K{7^e;CL4>h4}rTgnykg}G|aJUua8&qocMF-{LZ)=4O2 zLQO3S7*SI@_)}?v0S_i;8nF(pFL!#wqG?+!HG*c9mbDrD3wH>H;$_+B0B5* z&Syq6p2LAv1l&S_(aMW!#~>y!Oiy2^5&! z4{75?Dq=t$7x9Sc!1rD>x34T&jdLuf)w`T(1JkJFmDR2B9o)O3fb3n~%>Kt%I`*%5 z_u{llm+@M7)Hwziel*H(*0afNSNi1Gx{zYm#ZaPIaqbL))=rc+ZFIr6#GRpwATNeuhbl~E4Hlmjm*6ywwmOiImE?I$;K@p@Ui$$GQ`!-GZ`(w6 zx_l7aI89+`lcJXc3%VnuDqTdvT}g(B9OdZ{EiMerW5icCAQF)ibhj=WZ@I@c!Se3- zJs0~6dB-49L;J#~NZ~39w z!|am4WL?KdkXm4vhnF`-hiN@vr|S%T&6<4MWUppX{DYVX0LB0LGaFG`y-Aw>M7(_~ ze~Fj8({BO%^M$}iZ{<8Vu=n-;2C(N5Tw9n4^Zfuu^1_TS2JM@0S|~X1=Ges=3R_HI z3Y&U}`T>Z?Z=4T9E&uj1v+(xPVl8Nhz9hTMw_{lx8;laRjg9n<-oAE^Gv%rLiRa^Lwu%>k33;Bug7N7Bw_=RVTN#tUqSu*{i{Y9H zC^yvi06-Y7$g8;i(KHB{-wQHGf(W6}44vitl3V3`th^iD zsxggdNnvdX22YJ?Y%lC+nhz<`uJ1n1B#@WQ8TR&z#kQRSu{RTnmCs@(0q_c>6MkaP z>zxSI5tZd8qXk&V2Buf$D-VaPy+UV^57p;AB*y7|>;|!4tm{SLEk;O@{`n>6I1YVu zfG73sj#iDi>FXou@H^Oft8$wH-7*WEw5)CZMb#yZ!~xU?<~EVb8m$L^Cl++eew|bn z1<^M7pQw%Bqopuaq`~r~Ty}~f-s9-X9o(Q`YE--IMx+%INE9&X`nw2_hQ(B&yn;4V;GwuET0--3Lwbi-UUr} z7N>L^ewSg1n zLai%H2d9)$d0r=EYbaRhMwj3iEA4|tSt0v(yDd94Q<{xGeXqkVp+nv&bbNe@F(=; z&VvAEg*Yh%gA{`ke)5N=XAmF7mb6?2h#un?;+3}NC6SVt zfx8s*O_OwhHJb`UaOU#wjq?PB2R8)Q`pVQnh>X?yz?d@7H9cj-DlLD6x{CJ)fdJo< zx9F7=Yo;OD1?C8bf2*7}GbmkoDH3 zBm|E@a{5V=e3_I`(NJT6sNh`2n#B~B9H0;M>ZHgUv)B8DIin=jtJ9jAqI+x%s*$+?(d91CoP?=-R#mhA%!778Cq8jAtC+;nfgcZJ8yR}Jq zv6LT5m^Dh{hbwIByE<`Utivn62EX+WhaqxEp3tnX_l&1|AZck!$^O9x$z)9a4eQq1 z8V$8>t~Gsd2j*7kCx?LA6*oym`%Bx@N@<>NEvHlSK zZ}g{)Tg0VnZ)sav`pQdTll09AG~0j?ZPCr$*An&RCnjdP0Da! zm1e|PFp{*LKYF2C+e%|hQVBmMYaT@EE8CVDr9GfD_Tnj&zYD3c#iJL-;O_@7`1k1x z(cns<$4B#Izo12U5vGaTj63003xf%`cF+3h`iUAl?mto&C;0eq+(%-U8B+^$cZx&~ zRpNS2D{TpZw9t9AO>6CmfV9;8-I=!9->GSK5a#;Pli*XfdMz%gWAJLHP_|&No#Y!jfo3f)( zk6wozf_e#Sb32Tq4;Jq1>*?o)8mYX9l}jbMg3 zP*Z0d6=g~O2M>Sx4kR=cs*No>l^%(kFp{BW%x6u~>v5CL;(8JDG>=`COn?M_&xnH* zHKGKIR;kp{X1nY<|M971jnPy>1^>Y+%9Is1<(MsKN?6_hld}N2{zoT4e86}PKmD_F zh&YPhTM+WFh+`#XC&DL8NSD50LLwP`vP=T3^|=ABTV$#J#VQQShfNgob)>X~%Su1yKX|WF zrAP$(b7VoN-h_-Y>3W})mZ?){N?E(BI^}y*xVtXbyz{1YbgcVpIN6V-MfVk8aX4Jf z#uq=>at@qY7$R3ALu8#9JDGimxMjW0oX0K%)=3s6p!|&aQ8Sfh&MS;rB00N)+N9Da z!2@xb__D_A*BQNgGA&X>r0tCd%uusg=Ttt|r^ev6rS4zm@V>>`ELSGW6H9l(Q)ip& z8?#9=eHAqydtct-wf3;?Zt}*K-G;I!R90!hVE;)HJ-Cxi*7=22$M3<$M31TWu)f}% z>UgJskSaBo_$P*9|F&%yi~~VGue^^65!0|4J0t2txdlJ-zkQpRrqGo&46pZHTR_!O z=~{#{Y{u^NnGw^>CvhWe54Z!2qVh4!SY}7mxo24x=05<34fSSRsd?oBo1y*UydJj` zN@(^fA33hzE>1Od(47GgJF}GWIBbQ|pnZ*wD_a<|?>^6JvgeHYAwO{$}4d+SG`d@_zp<3|u7JO~W`PHV(g~oLk zOB@>A(b_spe`cx!ti+Z9hAwj=6Vloe{l$F^SsLUVP1L%OWBre@xPw*povc9VFdKJ+ zyCy58`DV6FD`EdVYVjn=!z>zQ>356<{Z#9mU+KAfrJr}Asl1A4hK0N18T{PPbziz6utCSl>tvA{NTx*iOIXy8~jJ4F7?N+Q+ z3xRS*$Pk|?CofJdO517}iCK`o=0CUbt_6f-SGZ;!pX2xb$qB7AUrHyZSXEo<46)^z zh9Hok)Sc<5zeZUnZi>wdUpm9@Yj40@Ev~uBwF{45!F<`6{p!{bC38vC$*Iye#HDe! zK>z3G#n~&Y6dV&4=akHCqoYH>PiVr_dBOvv z<}iKzQdf(ujK^6``mc_+HF$n2Sl~c#lQG=5?Zt`dM^5)BKqq4dX#0Lq+?>Uy3$eWbj4DdbGH4k1HDN#&=81dV7+g8De`}oc4acGhw58 zWStypsVGH*Dz+$%mdN^`U%mgg*2npaL)yXDWl>^r;fISQ)Elyg8bn0?V!KnCR2~ zJ)kh#B8Q?}8|C-o!ombLmNMiceu2O2#yP#m+~0|i_`NY+Lj;LOR78eskU##}+Wh?9 z9Je4AHufyz7!;;nFB?i<{UePWgk}ph=oRmOk2P!F|8N|+HtZtmK8v0K8E&MlAx?gLenvX8EoTHm!b%%VYFit%tNPFHt4f8J`08K{2 zG=+VRoC^JdGBysBF2%s3tME?|^vqkQ$O0ydu0^s?wk^%ldV{MY9b4hvTSel1&Fe4tiCcMi-A z`p!SV3e{^rVqDGwzZmhU*#58>@~KL~_93y4@QoMI+>A2>k+rVpiJjLbFUq8lq{;i0 zB1oqfUs})QvurPxkB8qFyQHh`h{wCmG&UOu!H>*Em_I0K`Z!bt7{ohkf~F#CI*zp! ztGZh_7YVbmOF1joF~$9i7aRBzr;|7J$A#lnlp*OSN&*9Bg8(L=VntsEAD6>EJ8|`6 z^hB4Q8neffj7f*^dUlVg$fY|HvW_fcn?c#&XHzQMaifT}Z4bO` zOW17+DB}AX2f@Lrcjw3%R!LZ9%=sIQJC!cHz9(Q2?nXkKHQ}UmZ#BZcl(sb!i7f7$ z$S_^6VTQJaJ4sq`-=Bi>+mCwgjTp#|CNE3|&qQQ6TkA7ltC?5oyw6^i)1Bqml+(Q}bt(HpbyIS0vIo9=qZV~Gm=9DOj&;(yPT<3Z&_-g7^jkNp%=H&? zqsp19s-|Yo@0?<+GPwtIpY6HjwfjpI)6OT(_ZHLvi_-urK-9k$$`U)@1iiRv2xWpx z&_Bgp`kc7ltS)EK>vFo!dErM@9T}BAA>gV4Y`lF-?Nol}gD>@gifN!qS)0s5NbQw9 z>9mJ$8%Aq!YRqRzslmP}ou*r4TV>b(%^1gxP@_aKI?kk?^b`lu2om#pLPgF^OP7Pr z>_zzuE|ASJ#OCNc3sPyV?V6`euY=r9pluhGwq9j~hugU+FEYl#=nrP!O!c2H?cds% zUjHz@7fd@ZFKVv4=yW}wyW?xxMQ42^TW7%>bSdDtMxB^u<=alGvn6q7L>EyXRKI$U zI$2OTW_NOT8mHzkJ$q>}Hzw%iz0{bcyPKpUc<_O2{XRR#9Kii-fqzo;P)0(<39rO2 zZLcHCsGIr~9AYv#HO$>LIn<>30`j=Nc9%8lLmPh!o(OKTyZZbarNXgp>!!WeA0o56 zTi@^f<-Ow!)OpxMPAp2k*a>3kXmWvFQ`}mcCI8@&^)5=s&EQyB2|HaGlOteyceTqt zn;=AjCEUXt0ZkIMO0u_ad+G{n&)QB1dg2zj0z>1nvX~pO1|c`2TEE#8U5gMt!gg<< zQ0!!DLzfsQ_o`a4h^3jdCWVvC=w-}%Ib&9T5!|n&Bqu#Z$U7;)Ma~TK)#dc53Ix zd^1KU`F1AV!;n&LUGBSl^}yRi=hn>bZ`Fgl{-d==*=}Gl?c*zu;5JVi^)4+jOmO8z zr$$DPSBYB?|HQn))2`4Rq_|h|McpssO(KO)EW7W}j&f+>DzdoQg)Ug;i1Jswe$-3t zcMMv9j*$&Tj)4-OfAimnGV6l*&uIbf^CIcl&sP!qnX^xoT0eqNq*io=A6RP^jvBRq zl`*qJn%tiBG0N?n?8vpalL`{kaDWNvCMnSKId!~BN@f)|pvw^O#wt^~U&e4$oFp6o zE{&B6JZ%)jVxJmQI)3-8>B?Ek6 z1v$@C)P6-{qzbROca@^e^`Ls%QnM$nD=Pew3sb8nzJ-=rK>uiT9ru%FN^g=c-K3r` zzU(IzzRv72lDH>nLmHnsn}G(t=1=`}fiJ%*$q5l3bS1phwew+Eo0m#c%4?fq69`!+ zC#5S_x^iVGhZH1GxdXJMS=*Hb-{pa2t1gIT0wHB*X&r3-)`{(J>|f;*^cIRSH&%Ni zY}<}86_-%@nt!^Q`W9AeJ7w_a8Uoa~E#etSRZz}l_u^M{ zEr&=}onRB$fO(|-m^Ux85y(x*!qAr2$c z-9O*1(zB{|^zDfdLo|7|eOi^TLv^`K9Oc0No@sQi2W7ATzbE<7XF)`DxuUbcd3^ge zRKUCI)4H)9k$>yH%B#KODj;KGpWw0`bSa@=x$a}2oUX`H{YOis^tiw#FJ9)`PZ<)F zelh@sFYns`3^!gKT2o%ZODc100Z;YwcU?fG<0Bucg`*V1i1}6)FZ-F=P1oMJ3V5wdo5rl=nF?w&ZRE%8XE4VCnm03&Ex9E=E}dyt}MboAR)R7#s)1w?WaebE=#6j{xzqX(_sa(&h4hn1kWK%DrB%${GR67Eopl z_VS`dr$XgF(rTW^vTZj&T|-IKYA%)h#i1#!ztFq_Tf66T@oy11EenZ0&e^IZRhy(X zt#6JL1b@cgR;eRHP$~^ipGAL)``A&fxVg zb^!UfJi~eOt15OSR^;l(OeRAbK}(G{0g>)NmS8g&VBI( z^<4^gCJsP(;XtST4qT>3U}czjGzEbG5dnXr5^640e1EXG()JQuVG;IYes7{y!|J4r zO_FlP3bFvF1Qlg9uMTQu*SnA>s_55C29(0G|BtD(oN#xkA zRPZ%K`#H=so!(*(j}Ho^j!#`4)#FPXN+r<>eOpaOL!H+0ix~UEi&2uHjzEx*lXgcS z3XhIZWRijsTO(T$$(qZLiil*}&mBsLnwHA$;*o1FU22-I8))Umy zpj)vY`FMarih5br6h%`H@&jSKuB`Mcoh@g9IPXvIBB26^J{ziwclS|&ay*H}U=jt( z+gL~B=&)z{{w^_Qj)Ez7?)da&0j69VG5t{)kQdl7heT|_l{XmFEEv3@q^?b!S zJ8q)V+Si1Hp5SSn-?5@;KdA~=-C)Tq2YU<-Vk-q(E_UYLmr;5m2TP(37AJmI$sUA1 zrtjR7$U1T~mNxa`va$16UB!uxqx?O$F>tB+M|M#>YJ>#*CzH*<>*{0;AirtHX_g(Y zZT~!U{qDmS?n;g_%o<74Gu6OOL|B`L_gs1hHc1n@HQpC6YdlR>`p7~NYK3tbukaP> z@u4TF&?Z#pSfgA!R6zL$ZC#SMplhSi_W@FSt&`#6B&Uw4c0~kCo#gMLi!c z{7SBdEvnLc2QbsVak>4%-T2oeW_Vsd^R38I@)eOd?%93w?d!aVQl zeRlY4nl6oncW-zA!M_^r>d)@It5F~2?!6{uv1ydVNaXL8dBfCg`cY-yDCuXFz$Jf) zHEPA#k?&}c%pE01-q3VHTm=z#Y$reJbPy_Mst?|0 zrMJkR-PRB;)~~9WzC-x<&Z65`HV<=bemY@akDFz=h!7|*riZIoKEiNyGV?~I%qK&I z{NBC!{U6;M=AZuv$!PEVrhkKZUaWbuxlMB|EFQ?cG5er%EC9(3(ZV}4%JE710?P$& zgs*X3Af0u>pI-jGWfd7_<36TQyezucpWApF&14>eALd(XEGS`%VR3g~vA_-qJ@LzJ z1saoo3RWy9*eylHVw=wAKUN1F__?}l)@4Hw+q#GtV7?PbwVyTherL+YyrH}lg1k|j z#)}sR;g4p_D+Ygf%7b>^cfb!=nCG2Ly_bhw>IP=tF87YSc5#$R%vp_G zy<>`F89CD7vYoZ6r#DR5?vOj)va=(VLSO1wfs5$|=W{U&O=WJ?;qZ#ct~}`{tPTnI z^hHGlU%&A|J3AyE5UEzKWh}Op>%d+EkwDu^9r3Q&wpJ(8O`tUI!eI4(trBd2SoX0^ z#UD_ndNCyBBFFfDMVUgBVcpSCrlvCgfikry!`29$G(q@Jlqp}(Lgleh>aQ`J-hww8 zRJ1t;_(s=VR5?;i*4%oA4Wtc!BiCNIhaIKd`(&;$aif_d5HH-Dr zXg~)Y%~}Z`Ru;y5m)nmS$Oc`vMPgx;i$(SSdKVlIo5fp(w}i7?Wp$Asb>o?*-D4seHin3qE-_t zhEsf}aoxCzZjNk{p!-ftCkQ{;VA&*dK(Q5%V;pGk~9)B_@g(_pXlt~0^7TyN;$vF1GtyLH0LaeSq%AWQ2 zbaTwqB**4%$0WM26ANlX^NN+A*04Sax<8zHo;b(21wvag@V$L|%r9=lo@d|UC#S)M zI4%CQx5^84c>nFc|G%)jZ_@heZ`FOKRy>78BaE0Akt4`yYpZEXt5`qFNmm71>b|yu zv6xdgimku`zJ8=*l_hR=rdCs4T4Rd03rc)t1)J2K;X=nn41_btppsc-B z7M_^StQE>}91gBq+mr^TI(t^lDa=4Qr*+nfQ_4Bk!HUkNm2-wQ8CqmEr|3+o=ID(X zD5dDDkrqeqC}1xUO=8&)B1!3^iaQ&1j_4^Rs9&Yy#ux=9U&z+@#yhS(auv0AQYz^X z|3LwW%DSY|WBON3WpuTQQ-X4pm+Df&>&yIetJ&?MD(l)Oe^=ee4Equuc_e;?>jWmHVCiR1HmZW;n z9lAqUm7XPIyXf?cQ`(vCqU`=!?=NJyPc4WkBHeiw;r4J`j^LX*Q7dqo*xOK_7@q0i zkVsA1&NVf(ubgZg*s6R@6=-Me#n8&$j+YvCFZyq&|LNXYz!ME1cTFQ_Fa{*aVN92e zM}n+qFxB*697TiTA+jjp%Xc5!KRmE#RE66j#|$L+EA5-SsjIHYn^9OifDRLPzAQ`U zI{isf7dkRCxmDzO||F}g^Di<%j zgD(zCCn6TSYBiT^?hQC*vb)0E7 zDLn2B5@X)tm4VHtcU*Gfniq(1e_}R>j9jS=x#8Y z#-ei#U5)xc$N%!7G0U~@k2gzp3NQ~~8{%H_QHz22V{m`*ay%$ChT_nnX7~uHfoO=+ zwO^Ma+&Mtz0+5Hi(n9h{Z!E!M{Z(S}R;`S+{7M;BZPEt>Yg*tu?CJ*kq3(BEARP76 z%DcYTo#HG6&!)FX%Qv<;3E`2ue39J^(6zHfV0pv;3a+-B&_ zt(o%XHjyZphcM}B@@ktm`4(>iKhRp2Vwe=ka| zE5{QGQk`d=Z8$i7sxkE7w5|-{ALisIVv*T*GmaO8cxcteUG=Nyl-{ zOPGp#)PA66%{rsl~FWYPlVprNYwQQn1c0byIHR(xGif|t$ z>n(M4H?Gu}HyPx8`6p$Ub_Z1NLyHGar3cW7tOWYkS+%*To3E`eGIpwmsHIawkY(Ay ze*fFZOzm^ro>tLM-7ve7tM%VLJya6ERPPoId+L5<=YPa7`~YK}6{pjt^gZV_j&|Aa zEc}>-sh6e}3bEo&>Z25N(j~JWAv+-nefj9_KY)GtoNy`4({$@@a^z_z^yy-qIi>sH zl$kqhdL!_PzJk)iSr)ttd4|l^WEWRfLcL|{Y~j6g>par&-zb)U?PB8+GUeQrDovY| zjB{_mHVlSh-5KcAtys&|Rz%JIED68#j8%?i>U;qv#*Jk}+OXPNy#d0|kbZuh$i|eG zzuw8udEWK*ih5(wQ0e9&H|-#tpS7yVKX;dd-Wc8UHp0gsZF2>cZVx| z56I4x9w4TMH+P6k094`dM?X%0N~jN!6ntdl(P{r74z(8Ls;TU7RF!hC&1tNno1uTQ zZ?WHr)kn-bin*A`zCy?Dtm`HOZcYFYodf>IWog^NOgd=kaH|b|G2TkV7akVCS8 zfBL5PL&86UXvL-k3)WalE>$9>Imc21q=!_+kf_iDnqojwuz}tmVW2k!JBD2V3a6i$ zql9~Bja{J7bOrA*Np)NmwHs39Crp-uYaAKHV`k<}#CSb!*R@~^Y8U1kTO!^hp_q0T zJKVGm$?s6;C>cIxT@aYMXThoh@^}M1TTdf@%is7{TkYXO>8pbOIy!*r9Kf2muCfy1 z8(#dGrW)hn7%_k*$71st<)ID-H(i=(z(n@xcaBAS)b~W!dNg%?d@N?N{`6SJYbw0C zM-MKix_}hx*cG3Rax1O@k|DCfc;zdsJpXNaPN;D2E*V%;=7p<#LOI0>*qP+(o3i~# zoyh5<%VJFFk}_17(3SyI-&JE0X~^;uYTZt96_0*f9I?3!9()P&l>|FKuvd(?Z>Qo! zOsg2nP{zhaa9DIx0{8h)$e@cOHlMX&v!~$0HFn&3(ty41oxn^E2{;CYt|xv;>#164 zk@FEL@LgL=Q&~f%M|H!~5Jh?UVEkdhIEWV5i?L_7u`^?MGL{V;j?Ez~k1Srz3%fcJ z(DAZodGRFCDc=w>h(bic#5~mnWVf*g`X(?Dt0)SsS5&M*bYDq5jSM^+H4dm!VVsc% zR-X7GFKr;|+7to~BVZ{_A%8DwPbBjoc`ajGvzZPP_yVHsf&NadW!0$hQq52M%3N=v zt$C^AC7LR<_UoB0xXsDI#+~u8*c9T1#1-zhSNQK7-sSN6jk`>K9>Ti}N*hFTjLRPD&NYEK9Fz>&dOdX&;0VZwHmk2$1+Cu;UX55|wCNe$!4E{k zKCFs$(_3aJYKx4=t|Klq!r#k0edcP=zlh{oRPHi9M24Zwt0D-M$k zpNf8paMS0^;_O{2e3skwypAAoYj5UlT=1oZL>W;Ntk@O)VeKJP>3V2CV2&fB47Q36<9MR%>5#C8Mil>yqrkCf-mk^hI-$jRQdow z8-iAgZo^o{mrzUPYi0xXZVAfcz42ZZzsusTe%!b%)0cMF23oBnqA*&`Hi>fI&O1LEoT-~=L6p0r?GDowIbBELxSG7&|$O?G_^0*?doQx6fLvyOfxVNxp1 z#ShF@1ekGeI!Aixdi>~;NpaZ_%%hH3JG_t6aZGd_1^m$Uki}5PECm!f#yY5n)&q6_ z2;uM0#FUmkwjrXU>Is^xmQ+;eSH4uZp<&RxdK5-5Bz?ns{kdx_xF3vvLYT~BA1eau zniWMq{?YiapZF`NlFDB{xu%0#OZyI4gNSV7#m>tv`%yR1@1H!?9~_RsG^@*s5?|SGMQf=1 z=TE==;;&D?e*XB&pCAAD#WNSAi^~Po;_0g2fAa0~FP^xH>n2o7L#-qpkH?Otkhwz@-!%yz$>AZH|QHvGB4rk#I&m`b0rx4%9q~} zjO@;CJY?+nJ%4ktdttfe#*iobJEa;|E31e2AV2W%5TNg5>)DH!A#gYim4pS*pOiuA z+FtQ)UcX1BmHy&L5sq2OWs;NHtpd4u&$0aQNSl<=iN^?7tFRvp@7c9MU;1{W2>R08 z&dW({h}AV|WZxPwuG{(bf;{o2FU=&=RKJ{G&naK`Zrg6XhU!atPQ5Nz2+qJ7jeI?r zh+F|(MtDrDpDqIqEclzT;4yc@LBlobj29@6`dmaMbSHaVMB~v7&UxsZ(AfLo2iZ*Y zSwGT2en0$J#q%x4s2YcvFcJO#z1PLOQST@8=TzzW{B@xY)?YMSKqjHdxm<*~sTGxK z*VM$~;fEij4Zco4Os_cQ-_jdye{uT$2TY+pi}iEZYm19Mx!0R5_CT zg^x|uZ+cj;xN|&lv!W6}BOIyZGUgXGG1Y(Lx3`M6x3L@AKqa+u;U?6%A?!s-IVE*9 zC7hY13bK3tSe!B;@yq04;+6M@39F5B)H~BJ26BAK>kd!S_N(l*rOm*)#y~sTf<|IG zsVlS|~V!6%?waG!obm?03pu(!C#S|lh1Rb6<|YM-r@UHt9Pc&jvA4XbGQMoS>a)6904WCB1p`7JTo(;4 zK@FR+==vF`1^d+7+<45um5m9-ajVabZ6CHaNTe6~wu#Sj+CLp!bZ@I@9-qgjZHXmzU=Nix1}=Qh zX2$%QFr+GIiDMJrzQw=29`sFJf;-?0$XT65x@azXo3oH8&u+7B=-y$TeJD^v@C%;t z$=Gs@Pps+mKfU6@OtWsbT$#UI?$Zve?8hBO5tL)sSjF^oRgA)l7wW*{g(x~}Ab;Nk zxw~}4T~3_A+T_6gHt3i*T0eKm9@w9s^*wFS99ZheTjo5&>%HM!(iV8PW`Abf?D$eorFViwc?eI?a9Tni29oF#{$Oi%%H@aEq` zp&{;lRVP>aibsE=G=XbqnunuzN?!++_%I@udEJL&-rxmUTmh?xLDb1cv&BLm7a2%l zzMV(O84|UORdq`PJ&gu>8|}_?1K28kwA1~?5<3c=oWVTir}{R`w2G z5xM=Ho7}sM4tuhlYW#+e!^_d)>|ilC(JAFk%=M)@+;vVq4R^swNQ1-PLJM0S^6fdW z0`$q!7|=z!@L4XJYYP;5VhYaAAUs0=R#@YIUbNi`jD-xOESJ<7O~QRv^ut=!=Gy5{ zNf+xqjnKjVy}N1ZSC*dn1PtnA_MGU?2VRfu0expBA}+mtP>^a&n?Gbz;Cf>^jRs7v z_g1WCuP*%w{yl1?`(qd7@)g&K8%+-`0^8i1#6}|Y-o-;)#r5y$b2V1jjkx`&D7~NC z_Sp8KuK2ZtANy+b^W%Ki-I&w&mz)H)^H=p2yaN*w=viYEM46|%DBC#$68TMWT~tvS zP7>v=^D1vL44BIii{-OEDJQw8@KzpaD{)K&yxyFxYgeb1^wKyd=}&o}3Yh{tc%=Pz zG}CB7+Svl`G$?K1J)$Pwt>OXl|47jN5mj(%wRymqzfzhb;8qG=I(O1y^s{h7_Y@zk zOIJ6f_rZJTo1#HRZo^Z-Vl(Bg9!dK;*yb)2S9P8?k6k04NjlVR%_OarXUK+dv1*FjgqqGufYy8Vk zgEUm;E6jnlxa~6Pp};WQ(>){RuN&^$x8GB7(Cyll(6xEv+Dk87TQ78fuF^srvV*I| zJ=bbgM9Wq5=wPKdi$x`gauw-T3L}XN9AwLl(z07KpBM4b))8cxBEm6kzv6|&E;<6` zkj1|PtZ6c`(7b9R`wJXbeiV)3-z1mX=qFpC!oZL6_qHIn@FaaI<&C}Di=~_!@Xf!x2rzbQu_TBkyzNM`o1mf|e5^i;) ztK(PeIJaL+d@|zFj-6VxU)HAqJxmUNzM1MQQ86%wgw~Y2FX*$7oL` zTt5yc&D`Z?avl{38rG+i%pA<8P!$i2)}kT3I>FjK*xqzyo_F?Z(1HC~`Jc_e6JaB| z2vP2x-X8sN0;p2uY3$pgl)f$A^vbCv99rzD$X>d?*ekSivG*HdOy<6V5+CupY9}jp zuNLU5VJM~)W>vk1(?HNqtX@7btK3h=ofp5L&3cks&mJjjmDb`;D^0leG|YZiu8nYa zwFk9|GuBo3D&BnLQ5!|_5veTQ?P z_r0vBSoc`16BsS+gm@q$qR@=b3%7rS1p5 zfyYAWuBNh^H9pQ=NqllSOA!!QYAy!GScuCa0rG1!b;Cotp=virhI6y7 zxd^vylLLt+z_*+L--`H-x-~elI4bmekj6!#|VMx7T4iw+gI5&^%JWYY$bxlqBFgk~hqq>2RXoOl+! zOsSnUx5+|+rE3&eV&E!LQUzJ<#IMp^yq_mKb)v?2?jjVm{$ARp)`R<>R&A4)9N>Us z;RZ^-3zR-T{QM;y*g;%39jjzj4}G&Rf(kb|J2@G~KcUgE#G^yD?cMOg)7ZI6S93}O zjLIpHjTTDtxjJE9k!LQM8Z2W;H{4GyjHrY#g>`cGUHXW{tSaS~QWe&(3hP%z>*t3l zZFs}B6j!z%<}BcA;DFFw8k<_V8Y@@B$;I3KZr9{(i<8j0S{7wRwB+3+WXM*QA>m*K zG>QkCCmpM$P7;;DxQ>}N9-sb_--32ti$TX=*T^U&de{j!)hEQjfT%o0t zGP#w&!tWzOJgkl0Ja2$%7OW`c)!_@hp;efhji;tRI0zrB zkt~Vzyi~vR{mW}roYO)s76s)}CGHsPpfGa$2uH41U(9ANj$p2XliJ&sI%#9c8)H{P7SOy~)a9XdOx$h>-RH85s4hFX||M_?LL^8GMMrpt9}W?&jaWVNpC zBRj1f8(C*j9w(+;$nooXf<7rsOUydmtWOFdD2d)bsn1cX{d{hLi3oMy29LCsB7=HD ze7agO@KCjdK2zw#khJ-Eise9=<$C zceuMANi8{kxhF79$B%F0xQKs<7IM{-AV0f$)nVja6$-EbZ0?mwKZ>CdsXiMORUUw9dU&jBJLogu4@%4 z_;3Lc$*y>sfs`QmZf8qtHt67O9< z$a$f?#w=fs7eU?e#pr50@QIUSUWJy!h9P0GwIKzPI2~F#Ga7<4B zrL%6z&%+?SFX1Glm|PEXP1mOg_8`{M9(&d~wP!1iM8!V!N1;CQDIdW_HAvSToLuD- zp1!-q=~7A6QV;c&p{!MP-mI#{!k;Azl9dt~v(DlVw>ycdD81Ui>&K=e%w8e%Z(aZL z7>Ml*nw*WP=BMsvKa7VX$3M>0cvkc<)O#v(KClO>@eEfBSDNO+x~Xfc%$9QUiQ!Uj z-;Rk>sGmCL#kP*?w};ogN^e9uyHDo9Z20yMKKW_mq7)7#aP{`>#(P3!3}A`=GU5@q zvz&%gJv#Alkv-Ik+$z24AxVS-AV41{il^IF9m0t}VsLz5RNsMmaBA9>Vj)gLyb&EZ zN3gR)>I73oVQ`_G1%BZrWX$JU@e{LAy6KY2ixnG_)aHVIzEIFXtxOH^r}jQ*jQ2s) zIh$R)qU;#pDw9^IfA=)@z2g?%uW)gY9!Vsp>nvv$9{-se+6|W!yr~!t!(gPE=j#b} z{oS%`jaV9yK>JNiC~sFF@LZB`AyWr|cA}Ka2EJGgLsi5QftId+nwC$#XuUwmjZqIW zag1FSyQhqW;6Z9W@iGs2?uFi*?ZxfO--h5sq|Phte&L$MOPC9Eb;#yBxTg}jGZXUF z8(O-6YnY?y%#D`X8fF&Q8v%Bgb)?bJj|8~TH>-;wo~afMunYEWErCBiJQHwsh-9aZn@ ziOTi6Rc1@NiTa^}lOl-59OmguY;K}_`hC#9)qN-CO<2Elx~C|L&B5J5*2hMuFf>ZR zImzc8fl37!36LFHBlwVjvFLa0r!Fb1WVFyT)>N6PLtoJyT;?rl?~gT=BpGXShBz^O zU8=xV1mnSj*cIcMn?}?N;}!zQJoq;6!q=!+u8sza1tcRvqv8e8xQ*1#M+H>h$Imd@o%-~_FJV7F6liBw@SxI5jLz;g)&~~VWScB z961gV)Bo6Jbt-PUd(n?5zyI9uqRdTrBgJPaJ_M6vkf=S%4}S560OR}u77xYP+>qF_ z4OC>^hu@hGm;HK_CeHkqM<31~eF*Ua(MNIC${YE(ttg^X-s*O49(@Qy>HvnB2f|6{ zqq*uO^B&~}x@Ju=z%?a<1cx$vwkygqQBGh^fLYVV_c`)>GqYr3vCqt@7kRL;3<8cb zj9`Yinnz>Khm9;g)R;5&!p#Dxmr+CrtK`?Cb6?Ja`Lj?bw5oHpl8Nzgg)A2sKWJuF zVTrNoK#f)8t9SrrzaE_d2PRLwhu8)7V(& z&RlEbh(~tCBb_7s62u>W$9;L01iNDQ5k<(3z1&cDAG3(&@Jw83tUcdPK|(Vcu+P%| z;(qvwy?yDXPtz4B=SKC>6JcL8e2zsr*&Uu(wgoEbfwQo8$;uZ5Tg`XJ_lje*|JJxT za(|#+wG6=Qk4dfAFWe|-lU=|@QvnT99voWkfoP+kM`oE=Hq~j}%rtL^Wsx6rynM`X znqEM+avp~@(W+Mc3P!Yji2qT9nJ&5&7((B5iEltx#0;YOSGw}oLt(`^H036ma>I}z zLyLnuMk~QDC``JECe1UNK_sYYV_7bs4*D`rp4GewU)5%*zlY605MBL)R~(x{vrs2axl6D5<%e1RdlqIjP&lw3qD;?-Y+p+TVJfC>(=yw=Cq z>JLmqS<=8OS6$`!PAuQhY2DjyoGu9eZItbDsL-B|Oky+8o<14AsEhU+z5sYwD{E|K zArnaY>pH0sn?g)$^)3R0=e3emczMv^mySVSI>mDD!GsnR8cwH_1M&LOn9>>B)Qm33 z6Ik^L-c&)6%kfik;&E;A?GJ_J+18%+VTNoim-FMqT6fI!MO-cRVd)PipggO#W&TyY zZ*v$Q!8N*UaP0lHxUT9ZU*xuM@Bg)ObdC$gD%%h_%o-LGurT>W7nG=24Gi`|j_c`P zjJ8Z8%ZyErzp(uj)%AnW{sUGDd9ceU0}&=4z@qD)#nuim{*}L9CGI)RT>lhT1UV9Q<4a9mC`@D^CnGM*OB{4 zi~$6>GiLY&!l5jv5rS~?p(9PhX^l@)u(QezYB2VD6^Us0-!Yo7vx5)}jkqKAw6bcS zM4CtolNjQxNgD?1#Kc)+$UDWFo`V(!o?brW1C`TbD>2CP|0wTN$pX$uAO?R z-Nn5<9>AIVBZ8LrFm0=3uLn!j^Bjdgb2{W4a{n1zhTvCTZNvAbwOAnY=idJ6imvQE z9d6v7t~O_;abGN=-Rn&dF!;&Pol_@!+*G(1smP3>hK)$|9y~w4_J=R;B%^{uudx#E zB#D&+hx6j$01|GpF?;pvoMX_=Y!5Rf9kH?gmbGTgny8p=SajD|1tTFagmz46DX(q%l_UQG!UDEY-GAky9$==tJmYS#23xKxv zS32sI;{}vV`fnvSi>`R3 zHxP2})oODd1~3wKj&jUiA1Q4%aZW4*Rfj;3Pt4DX;40?ak7i+(dK!Gq3Fm|(;}=-S zsFG0{1lzeiUOCd4KxcZJkJyOT24zA`*;v$qw@gXmM?ioF9UVs;j47*9UAaK})cfp` z1gYqJW=tSfvHIpz#nzsadmI>TeI`qn=#bPCheUYZba37nXh5v%l)$}Kn$wkDz!zFj zJ!(WnJ~q{`T1Wpzb*e+J%`Am+SfzjT@xnM}amwy3IH!`hYehQ(_<~YEGH9vrltqmr z&EKFmKW?ZnYf_eoh~EHDRL5+6s>vq|Doo!s8ppn2Wee4ZyyAC~V;F|tt7i1@%JA@N z)S_Kw7F`s&@Q_aevKBS=zvr6;bgb@vB{354xfoMohz`A|LGM8)1IE!=XcJ^zG}a8 zuiCFCAGEyFy+n_VbJDB|#oR}YKBb;-&m%gqA=UOTfiF+b{6_s~)V`VRyrGo4W*8DttFF(0(Ue{(E z(L%jYFZh0D;58Nh2#iM~e&T8E2n$IWZ~~U668@h!IabC(%2agsm7`ao$+C2uROpzJ zd9~yE`zH@LA8?Ol$1b>0AJ_b&_t7O~m(TK@Dfnk_%VnImu6k`h(plLxGcLo1>zLUQ z#Tk?u>dyRL@Iv#AT}r*B0}SsumuE!wQmf<#DVqF`L`o`2WxKAZ>-~o2oc>VjqMML7 zHET5K8Q_b46Lq)9sX!{SWoG!C2bq=brCUd(*-Jekylv(N@>{9pASF@purO*bU7ZrF za?Vsms&<`s-)H4sR`j>ZukMj`&m>iF!EB7l*H9??dkxLHw{In+WCXx8X^;c0@3ShB zWZZAp$#rD{YocG$h1u}-OXiMsEc>$?c{8QdI)t)Z1%8kp*i1u%FNO1MkW{t?_=%ra ziTl<|y^O%Gv*4$cX1*N`!i%z8+1a zZ!y}HW?iKf?@BYhE8H6vWC9Ru1(*G~yZsKQ5->cH!cD7Nh#glqpb$9D81kJ)@#cTm;F1x>2 z1jh&M$eO8%XI->P%>6pDNwMRCIOqr+#~E~XX7-S>&+Hki?YJcVkxbK^k0*BF+TNzMJ-T|qj^Ut39=GnQG%Acf+pq?VJ>rw`A4Pm7#z3&{I`-JTRB5g> zQ&jfkN(0?{8;=hhdjNOs@I7~TQ@@UzqJtD#JJM7;YD>NOgKKFoTAHl;(d&1p{f8vp zGCn6=SfAq~2{y2dZ147@R9Fu+h4eJSgQqm%Y$POx2m~R3PSQyo?%+cm6$S<^J(~Wi z2ys09G%c)#f~uK2XFjc$gcaYRHj_KzN}35e6( z$>neBRDabW7QdGa6e=wa|LAot$JvuUxhZ9We5W;nsuJ;RM(?X@XftmIC{N`B+oW&b6Q3l{~#zPa=s3C}4_ z;Wz7~SPnV0w%4<)srUAla;I|>M*%3EmGy>I$u}OQoGoch%7Aqc`yta;>nz#a03d&gp+dd6 zam}#Zt)n#WD2B{gXe~h7-OYm9^)26D1*NzOUk;zx3x}@j2nWcgUk+p;%T3??T>7Bh z<8-K5+A|*H6IRDs-K--oQ46PBRK2&>`MevjXuKl5Jm5aNeEg$Z`d zRfxUpwwTQ10FKl#hSB2h@vf)W0``tHj)!AMR z^~TT_h=$;sU3c6!7sB^sF*_~}h00vpiCZJA=d19>^rp6Bv%)IGmhPFugA_Pa4Q~kc z>IZA>CTBIhVQJof*h~T;@HyZSPrvhJq~$nT31$*EPQ3s|K)Jt)1ZE{txVsu`x~WNq zr5IOpJk&fHWMN9pom0ZBKwo@OUDadQz!f!qZ7{cS{Py*pR-jFK62D4ikq~i#>0T<1 zcW_+BBO(kf?KG43tuL>An)}iS2I$kmw`Nr#q`9xd z0VFl(2`>B(K`J~-`0sSKK?9S}%kpzuIt-aATxOeJt{riJJRUl7#_ju@FqIj01UH1; zwXYJ(K59Eo>LbJ9=iJOF5PHM=g9PI*gm3_u?e@RLWzfz53ZPr`^A2FxC_7{P=)Kw2 zrf{BPv2e;(uKUW~;jN7WK8Mz!zhiA%MbJlgMbtcTUu4{QVu}#*{Q(Virslo^d?(tI z60bf(px55KYweFY9=9Z4O{qxJH7kL+I@afTRe%1>^6w#_3EBox^k3k2Ho*%jwPF*6 z2_Rlskq>UE2vDg4+*ejg(@$^00AoN_2kGPARED*v z^Ilf5vWi)qm-dnvxPW?!Rh_Pb6j4eyq8U^4%h^*goUXgEs$pZ8GCRL*J}TQ=GU$oN>};^d2cWiJfuU$nqym5*(^iJzmpn zxTc}VVLmUcHugc|IG3eZRiQpZ%QjxENo4qsKn>3-u!(3bc(_R6h8!dHpm%jkqEUXg zkD)mdGU>`pag$ufcTFScKNV8)G_Np``aHN7v1H$J1(O*)Co)0_oC5(?2fmuU{V-%m z2FAy4aN;&M=!19rte=YY1a;E~f#e7|%|A9ju`=92Op3rJTTYiJ)WKwMH}#6b)%ru7 zysLb1D1w$1_d!~PE37TD(Y}V?vDc>Zf2PCk3P5{&_z)Z1?82aV89v2KQIJ_0-m;OM<$eTtiA5-&bFZT*m4|G%79D;LsY@R* zwvJg?ILx2cX!hh5FrF(Sp`J8J7aW@9bjn}R`m)z8YApnG@c& zReO~;gjmX)2_b5io(Ao=Y|(<7!kT+j6;}fBv2RpVP|sL>?I$^dOvP+~2T z9=CXs;>aDG!_>k?Hp-F;zEbxtOc2nkbK<&fvTN$@n(E&`MPPbOSb%;fGjzp%$2QKd{_5y7 zPNtF{f^4)-_Pd9%hDoBZUvgy|O1TPfy``1ho?Z19)K=a4;qR>a1+}+VJrxlC5Yr$ zRKQPWzMGC5jhv+hw5s32^cWG%nawDgzAX3CG6<^mWo1iaoYGI*x8f=ZyGnq#q5CM` zk{v}utSvk%TnbLd=a$yMS&ORcZaSITf=|88l=h@{- z=g`ulCFN$j_RD(n3;m+9pR}8q{@@YS=hi>4-Ch%mkiP%O-yhenD*E*y`rFb6_4avv zi^9|ZUSsq{o!KhX7l$g*f26*+<{!~cQ&b(XWbu<4VtZoxrnWw2Ur+i&s=J!$Kb@vC zL(`-`M1Rr8BmeP%`#4=vt@rSk`ZxGXH5c^vl)8L~zf|{q`iq{J4U7q6aX#RJ|4t38 z@D~l>FAZPguWRVfXb68@Lm0#Vjus3{c|m`%j(__bKB&M8{G|f_9gY2iM_5a&1U^6D z72qF#0Phd{>)4eYpCrJ~Mw_(jTt)UG2--M-yNl z*dzH)RQ$d+r>pO&-svOy!}aJd?FD+or=9l;Gy8Nl|Gu`g)!zxsg`vq`!iftC{>Br; z?=O<|$sg4FYL%P%qV7Y7t>WlBeU8*)sX25v#m!4Lx7)Y3d6&JtrNDUwlP0ZF1s#58 z&WmDMQg&)B3v{vo+IhR_n({4fcmlAft;QF%6dJ|qOK>)$=EfHG-&IY%sjsWzcbL}K z+v2Lo=?zP`JtbjQt5y}Y+6RQO2odLdF`GlVk$>alb3)+~ZnylqvcDNiaEc6V*)Kdc zBs{F)2qtHj4+CE?jS7n>V5F%-eoyv*aG#&jD_%tFa=E!>_1kiZuC~E?cFPqalyTCq5UaT2f$&VY;Bj2?hu)1o8Ek*>M`OY|u`ncSV!?A` zrq=R-6CS{(9ZT_9lkINoFp>|3P1?UnWB5~PTGU2k5HdohFk+n8(7)GoLQ*k}|ELE{ zM&`mv4OyXr+C)}^J$QB;!FSa&0l-;gRZ4`!1i$f&TJWG+acB(3f-JdU?ZeloH~eWh z!@ISue021K^d1$H=~DZ#gZ5*$Sm61U`{x&Qh-|C;)zx}7_f9xhKU8cpDFS{D;I_^a zr_IvM8%hqlh)_Azc_e{gKebigSYF1BapMFkvLUwfTTcY_s&qq<)@Ioi>tnDZl9?E6 zR}MTiw+m>Tm^ZcZcRar!>Lhfy)k9@ZA@}%Yy^~-d8tNSqXCx*Z$!@M zZrF|Ux9~&5j*Lp%Q4_~0NSDr&_~$6K*CilkM`g==lIP}%<+hkHn}gEh;kFM$c%j89 zHL3l$jmhX7m015qm-i;9Pa@+sF1o5K50=@RO=hhgeyLg~_``TkP3aO&{)`r&2P z78~=%irHt^HE2vGmq90oBu6xVw?hILL7;^}0Q=ue3=_rd6D;uza@r?YlcZ<28J-_Z zO(TcDIK{Wu6W2_gr*KP)Q9QQ8*5OeWGCtyoX@?s_f!U}8J>igcmC-dz-=PY=(;1|T zRrh$`)tC#k^k%fGfcD4L_6wUi(@g58v#!3rF7u}^^X64k;0-};Y#m%x|+z``Ww-%OOv9 zSoM%BH};ze`1m>o4jvA-`a|7p<>r4BQe~r$Ljy60P65OBGl?4H(#Sjkyt5c>go820 z2^gU-k0Ek-PL5!Zvttna3uXLLl%+hf&nc|~4|rF%IeH2^|CDm-U0$Iy@5yZ@al`F) zgc^_*V+KwfBL+@nXmDkIihqu=0;kimjZ?>{0*P3CnaayF#t57-jS#q{2qEByOONq^ zgrfTq!m(0vOQ(?rcOGyC|CA^LKc_JUXGnyBBy=^2Eyj6aqsRCHi7~q1#1UXN85o=K zQp%~y5^@)gV;#;NBb{(zjBl4QbVyWm;c$_jF(R71uqVLX#^!Pz9fwrjoBU!a&6{vC z(yZ3;T{~^Z5r>$~9|m*b#2fl5EmPSZ*cz^Df3C+3^Ft-pTg8i<0|+F+_u9|7k7LtE z4~XpV!@D!Y4#3+>ls=O#UDhnD<7{Wy&p-P3yNC4dLb?egqbn%P;Mkh^U>y`O!g=@k zM{RbAZ)3}H6X?eH#h1hPE4O=(cHtD>y ztav%IwEz6Wl^hQhwgqtqByUP|wbWEBZ4O+C7kzqo;i&$PIzC;QiBZKuw~vdL59_Nd zIyqLysg4{@*0ZvTgN zUG!bQORv0I|9p2+D{YK#p)@jScD?G%H#T^j%1y@_YSv|4q`RCS62Swp{4lmNsvvDI z$&Sz}hIe{#st)hC;EOPKKGy%_Vuxdn`|5r~^x%K+X~%^A!XsyV`M=!2?;99k_B`(cumCwwGtRx6n51&|f176wsYSg1w`cFGwLCRx6{f^bt?9V{sJ@4%#TnY0h4P@j z?y4aw@N?<@4t7*3l)twFSs^?jk5~BIc7gkoqM~Hb$Dd=b|Xd>y?>|cF!2{}kbF+xT`R7H;k|2LJj77# zo%)iM?DD;1XS{^6;=6Shs`c!`={lU>U;DEb_{rDg=iEEi%(ixh{oC+ed)!}kO}61q z!MFt1bGq(G(`)uOQSDiM#Z`~HGRa4pX+V}i39`#Bp>7k4ZeoXz7e(-FQkrj*9&`Gz zqX;<&0irW%`YEXv<-Z{A#CZ5E)LAt@E=MEJr~D|bkF9%(>m%Phsc&yHA{S<1A+bC$ zqi1SqkBf)KOLkm`49`pGk3}y`)+ys#s_vOlru9q@4 zkTN!lg&M5D671dzHD#D^B3DPQBkaYHZI)Semo&L{~S zsJ3%xG#0@eX(TQLbw8o|RF%h{58rn0@CbmZf47Ey!TyhC19-+tqg3W!20oll5D zPYN4QrGPRhOAsBF6h_RIJp&Ov3CzhI8WUnuf($h^e*}(GmvFu=*UPk~A+=qx`Q>%6 z2W|RE)ur%eHsz@FgchbLFS^Jjz(6TDuiAZ+e^Zwwkgc<+3WZqVK^KN50$ zWkY;X>;%QQO?;EuHJQ9nfhQae|Kz0T*LEKvjz3_;K$UJ^P5|UmE9fL1-P!_V&<$#I zH^rQF2buj-(Yn}5qq37{eEt4^UDp?n7k_;bU>3?uH7cp7bu^t$w>&DR?D5)^7GnF; zbybedi8}VAz_tbE^Q1Q|vN5=_v(wXm{ntnTCY6-1h1{j}U<;(cf`q=zsvDq$(?1#0 zz(Ck9wL?_<()P7NY#WSs-EiC=ijDs7|9*lhzr!hLa=FffdRXq&zG$h(mK5GEww`Tp z*D8I=?Y#fDOA**=)6{KylNHV1F8#ufxHlmP4)rs(EY64J`*m(m3f)GEU915|!1|n~ zJewNJOzB-7%qZ*`pcj#D2FbT@vViDR$Wn*j?`Up2-Q4zQbBCmpVe7XRVz7B~`vE&a zeXPG2Zi8c?zJZ$wkUL2tlQk?as@jjRw>XMn$u6;eUc--@6Trs2Bd5i^Voklqm`%`y zbO(VglB{){9mW>jQQ*wY4Q^WZNgC#g0M5as!>5z#;%L$^#H!WoZNU1_cz5j_o#$~A>TD>h@ir)E}+j@U#Yofil zOlTbvTa!lK`X|WY%5ZE+N%-DJ=2q?)7rN55Ju;YLv98u*S5WO*K=midvkIUH$I-(J z+RgyRB-6fwEq90AB_y*=U0oH|`-UC!%mCZf+E+;59HiH$eN}XRTVJgkK@>IN>TMiK zUU6|7dV!!Nv)~rs4m-!3%9J63lbE5HGPB$*QRtlo2|j8r|H6j&9OE;%SU)_aeG}Q1 zG)P{dj{7v1YdLhjSwsbJaGzEm6OKS7@za3d;JM10>>J9t=_-2_>Qzqz1L2TGGDQUb znghzk@YSzSgD#D*sqGYuYALnp6683&Y$#j@Nib_otBilR7u2%Y(i$6VWMg z>8+0M=JLpHmb$cd(dMKQXF|(H0+dfA(pqfa5g4}b3=G@5fMI(C7=FP5-$N`+ZrdSY z4pgnucR5EEx>gqKR!+}eXQsBUeD)@DC)wiKfTT`50K$H&9-7zd(zJvP)_XFlN}2u1 z7U*eGnmUfXpt-(u6|DtUHl||K-X92RL$;~m6v7dn^glGXIPJYHZp>?bb-H#|r3qvI zsYuG;^IEeH?EYw_n}hFky@1X>=DPRpAaaCL{tDP0b+KwAH2lyEVC6 z@|@U%HztFY{vOIRa9o*Y)xWPC`LaBL5AiGASz`IhbQ3!$Bf3MFv7ZnEZAiRB+|XJ# zLR6s}hbj=&jPbz!K%(*L^;>?wirKAt%zm(V>1^UahXr%q5;(l{;6Rkh9c9tzjv57bqzI9C zqY8W+1Yr83I{`5T1L^=cbO4(JkSqWCqU!4Ji~JRy*5OoL>Q|=Jzwz1X{Mph^%qw@A zRs;~gxo`c1ZufO^X@0XOj7pVV^2(D1z7(wmiiA3*rb0{|a6QEk_{3nmQ>A3S^#BW~#f(;;;iqSFjJZ}Ile+6G5t6-^A1i!5^t27ydFU+NUW!;-Rv&9ag zN#ex`BOd;aTgmj^lyg_u*aEN`I_a&3mg%Vu7Il!Z%pFR>1W zj2TE8)~BSFL|Z11D9@|HyuzaBE3;XYgpZNDu+w-?*ftT)#3(bfp+PQA-@e7)_0`!j zy*ghW*a=B}v7aXyN-ot4I>H%SM{T(U9O9exmMx^VFoV0M-y;JrH)UR?o!r0cb?2`i z{ON@oJ36kq;)^l_BdG~a^<{K|p6M1SkXaNrroZj4;nj3+Es394O6FTyx j{*SJK z9`op7DoIXr`u-BJY?$I3Qef{)Yu>7Nqh4PsT@Rhq3y1V}inkN=G$D7>IaUi%nqOhC z>o7-JQZJ01&v&}zySTw!Jaq@yL!iQy(dsLOB^okuw@K>_yq{KyjcbvxH!bhIlYgDD zOHMkpf=ud$a?+hK#J1>I)~ZiGTna?CH;t!7&u*a1wO)`viI8@FLu4||{B}*L%hmq= zj$(Q>I8dCMy~YUa5HJF;DpNoR5?=DUU#rzLxV+TccLs*-I{||r5@{svfuH`8+j#qa z+}0}=lEBU=*6^V9t9RE_-A9@>Q>3X%KVUJ+FY7T|@JU_a3jHdt_6Y_9@KchX`&vpI zJ+;($oae7i&0xmwb&=1ZGOYqpm$)(jqNz5hK+qMB^wWiEx|dcqNscb#7Aj}I3!~zG z0+&NknXXxi(Sg~R)5$R58zNr!hSK#^@=weP1S1I5WLZ~$JuUSdTDsREJv(QD=c=sh zM#xCn$$5JWw>@mY!xExgf(G$u5KoHMltBt{q%rpL+PcF<9P8J)Wl#Bicw!r_7pBFT zT$B%A5(VZ7jW`02y(KilP-sZi==nBN8-qrR@UHljKPLZ^Cv_pHxN5IJ7kf$CiU zhbJRyrKbjg)_Wn026dFj;)z$K2-g~bW5!J|XHrLAkbZL&o``MJos{p0_D*7_$Tz4JbPK^0U8M*Zem?^A`Ii44EJxDCxzPGtu zw2Qwzo4TGt zo)bTeiNr35A(R!=2uZ|&3DnZO@eVb{jv){tw(ajEIQbaWl`l~W>!1JXA5 zIY}Do@WebT1J6HpaQ3OI+Cs@;z0K2IzAAc1nPxy#5ABE2$4llgdPYh6aaYOuB^Sis zyULY0tm&wr{WxB--k}iw%5(FaK`QLOb&(Iyp#@(jzb7MriUf>Eo5>>!KWCsBUza%^ zf$T_ZHXD}Ubn87XO`gA7CqH&pq`$YEoGt!kIK1cT{0=3Zz^9+~*HRZih$Hb8JF1lt zntinuiuoloh-LQ$C=i0XFOpwM-Dxie$4luYB;%`*RH9l3f5(;Xtk+d$M|QCeneK$z zQpyG4$yi25=2WGyh}|5CZu@Glc`=8e-|Nr~ryV?oW?Z_NI)yh@iy zWhFGQYqmKRpb>mj?i(A40Ew1_%D4E8WHm^z-WK8E=oaW^ajG}_PX3GtNmP)`Qv43# zuv4qeq*--@^%z>Z$BL|EC03*yXrZ!wSKAR0hl-dMbxh~!pmuQ|c{rtrbh31WqP|0A zVMQcv*W(GMYPZ$^+>+5ROQrOn%=WU}@Qv!mw;sQAaGLnaa|qUR7L|7@>uzlNimqUk z?@6J`M3iQuR)K|I1$Klph&q5HI3Y^E&D|Ajn>~!CBX8tMS^RHan}){(2FRPd+NMi! z!xRXU77M|X#@xMavOHr$;HmrrrIX4;nd%|+*GroPA`4E5LZ}az%LHXJ97}zWwpc5ZwD;KhduPb?M=zP+0CMMFI|8;#a-lEvtp3K3?@Vc3x?%>CMMjfl$KB zv|dzL@-y?na=EVDafQG(o)LCAYR@jPDdYnK_Buc6s1(+HT<9lu)jPHL7@S=DF|5Vy z+sQzzbF4v{n`|$LjH6~O-^;m`)(x#ayRNG2Bq_b(ekk3o?ZOd2XS8a;&rod56?Nc^ znO3Et#<1{j-{LytZ?$&sKO45v6&RIrMI$sp#rwx+JNfu*<>ONijMz($T1rMOIu97x zsuv!LplHz}@qLKBb}HZ=zP0%(1Jc{UuXZQ_1FWVyzmP z{)-g&Y;=4yynwT}31Nb+^q_oxb;Uj|>R0*J z%pl?Z%3|1wc4^RG+!B_eaol)P1{+q~Ub_wBU86T_f$q`=SH*AncJ;uTt&)q*2ZZeL zm(U!w*lf%UeWV2%egC?+T3u#s{-;0cZ+%0Ftlld#Z6k(afnH^8xU0wPg?A4b<&^#wFA^!(`x< zyJnv>da0KR-T7cl;QB;J+Zomh5O#ARMkBh}f%AW>}iv<=pf+7Q;{X@l_Qy&tA8ui+&l39^Cr{e!=z6 z@-;IVu}*(exRA|i_%7h!H}F*ZDc?e|e%M!)ZI!i5zVsb^RjRMbp?BL-kB3xtQ@#w=Hxv!`Xx8r-O-<;8}YRjZ%;2=-_rehJR- zX1*m3K$%|`mql50uV==FjcuUMVkSeJZ)RAxnL2!3 zdZ#z7p$9qre3TtXX0ShYcdiBH5_6Ari!m6b9_y$Jtsf7B^};H>JLs z8`%4zq3sz|u_)oEWWU%Vn8b~ex<)9vc0TF-UghF<@J7Z;_ zIBNgS>snkJnSHUdP;%Y7*)RyX&%a^a=7+$QZ%sU|mDPXQc?s~Xz70{84(>EklRzb( z*Yz)E!i?}~>0&1-z70Menyma#qBJE7XSSc0V?AU(uw!#IT|vAq^>51lRY-zLc-40C zHViC@JlPU4h0aTznIEi-dC%ixDyNE9`TSH-`o|?jD=jT3v(s%DS1MzeHX2m<7hjTp z8bdFrJ+M=ZbmLO14ejQh7p|5;WLz;q$x6BNmxY!^&-{iBfX$P&O?;C#frPS0i) z?Jmo`Cq0-Qz;NgE5Ul2eO8vfhRv;+1c72VK*IY8FD6z89*k_o&h9UN^Nv1q}tCTj` z?I%Z(ZSy0WOQYMFYca4O-n@08fOc@?bj{&^_N3Ui{THvt_9D%^k{N8-+O-47Fe$;1 zJTKSQt|<*D!3G1e;1Ag~8_(G+=pD~=PN@gH+i5DFGQp&+ov@zRv9m`skBM}1)fewx z<5malGI>_a#GuXMv_HMSM@)E*R(Dxv%@)KwpfXCBiuEJp(YR6as&nq_5~bsyRZxfy zn%PB5YOg#WI_JXxP~0SN3oy%)Zy~o4mIgdoiby+d4$<{s&rMToEU#A{FMHLpRl1sR zz^yCOjE+f#V^aBJQiKvdR(4W&9DRPegi~rd8lecqk&qa@=zpjlU%G&Bk2}{CbWS<) zb{$Vey@^A{4zgtcSxDkJlJ?V4Gu{zEYxUgKo6=aqOAO8vSN;xR4AwV;ts_VtBrt6w z{1^;80tVf^uwn|hZk{x{{wbBFLaF>tm%Ww9F-;f)qUtIZo` zPQe#n0SWTs7Wpy6*VP?yz^$z?F6F)BwGsLXJhIxyQ5-^Z7&&#gebau>B)lGuIRGTMnbCYDBJGxvLqIz71^Ii`S%y453z(7 zIEI`NcpQ0#6Jb`D)Zpp?D@LRb7N_~`>cNg<7ulz|eK)5MPItep9`M_lexOjj@37kG zgQ~7<{H?&Fq5IBtg$w42SP1EZn_^2xnwk!sH+h+X%^AA*Kz6aDAH5H&{W^D#8C%xO z=onLpSvp)8D;d*n)oy{GUA;>VNI0W;JfKMzThf2XX!(@J=F#Xy@TUoisnext_z4m; zb9=fgODb1Tm%WitQk&waWeK8g9&x!45H@31N^XF;Ocy!QPmma=>7a@j9O0)Zb!L{d z61MzOlwrk2&;8Hxq!?L3^2)MSSJRc_wR!vY)R4}w5xB5moBiL9KrIOJr zWKPe3UdK&kiS={SLtC7k>)_;nm7fDZ@;+iuJ~zRyP63S3n(lnbipPH0Xq(%0#q&(* zkYN?HTPg=!2HI3-Sg7CtAld8I7C~(;MwL+nb+v2H)wFHKRcY(5%`U0um9F&0wsalT zu^g2OK<7=#61Nd(JdRj#i|`jT>su3_Q<&(Z2Q;!w``|>>-9EWhN^zu%>jS9ETivq# zA)OrlQv5cumMKm_uu*5Z4=Y}t8}~iWtttr>?7VZLk_{NTaKuj%htx`?gtA>{x-u!W z?>{*0WfeeEuY#)%p&D7KEa|z^-ftbJpDaU8P?e-9I6r166XGB7OMPSdJZ)c01orsX zhUm`AT@I0(ZHm2{D-Chp>Lh8-V3bZ>Zq*g`jMb7nisra&ecSngn`0IE*Rj?T=P#k%HHXCSpl zXg35@-r?;?HFN`DIk5v*oXbpzk^`>P8vKhM#yV>TLY0XFQFPCWEnBHw_cz%`V`iPV z#MG^mcw-hUV>HGU%cO-$%p{LxaN3zn7gd!voJ7mvB|!eeg{+KfMx3N<@$kdGW&68mD;O}5F2K~dB=0-T2Uwj`Tmwm7#b z)HA+|o|+#wg3tk=H!ve+DozP3$0{hoX;pA4^|XP3OGv1vy-Xp%8o+S2s%aygL5n?` z|MF-(YuF7xmvAJ5`KE#SakgVrR)z!7Izf$b)r`T?lx4PS^L1;Hb<4tc-S%hX`!c@b zEX{bC0hdIvt^OVdDzbXiX6)C58N5j~&XJ11jrUQ-{f8j*T_;W)bdaCdaE51(y#s>A zEEx*}v@6rCR+XuQyom=usI{6Jo!mJpCo6(O*Z-QT%qPL)X?CF)4|l?!VqAa>wE59o z***d&{iVdV>qh8ZB5h!+5B$wnn-!)~4MGyiJ6`ER9hkcLz?ja?7eTkzol|u)tXWQmv6m&gupJVlt=*!2%a& ztL^c^h6#3QPr0B~KTC)&7h*dpyX8Ikh)_?qp>$7MuH*Qet8#8W5aBuJkJwtx#>u09 z-HvbI<_-<nsIm6MSjo4|oF~=Vnt56Az(!wr&o5VIla!YH zN1s;$UaoY}^JurUOcibCv*HryR^OO%Jzn5NlM;V+wKZE=*d9Ujv(;OI=$%xYjpOi{RA?`%qKj@o=?91ZRHgw5SNb}*zzVi}0o+2@@Dz%Eov*htG zr9U-@>1f*3z(Z%}LkuqU_e$S8bV$)@-~&dmdNbqAjcLZpzs{3?xNJrm7{fwQv*<$H8gC#nU-S4j;Evh%8_ zmD2xqu7*>W*M%8x&TvrE&TM2O$*>1G%;O7;jt1@M&M&O4T+Gnec}Za^FY~QU#WG(| zw1YQ;F>wkY1>PIjqIp=FRE62Pd0a_(JV%OvRyxu;29IOh{k^nY>?}NU!w-J90>N_` z-b*gR-&}$pmqZ1ZcytjNPy5~SC);e79mq9MB|fEgDYf$Kig@69Z>FdEsb!shhw-4b zH=yRy47%lx`USyy@#ux-cVxN*4_K^?Tr}5C&EwyA4sUjm1$JI&R&ULfC92o_=Ys$A z1yh@_+87?v_F^0I!eB(=qZbSD>w_1E16!54QQYXA$(f3HQtvBz(e~0U>wVlhbGtEL zCVNZJ>b-k7>rMZG4CM@ZKPF^(z>(yr(9xM+CwX{e58G4vCgjn6CKJE}c-e04ujB^) zN#3E5-m#j!F%t6DqR>vIjYk>4!k_ibkVG-QKrcDeoW$|tclE>o4u|-Jk6N8R-K)sX zV#tT}^Z4VkD*~m~;}KO)~5vBo|Fa%<_v0 zc6D|0Zj%9`k>`43Dioh`5Dd36gyRYO%gP&nmH*&v4qxgnUT!ybIjUJz^DfR# z{1p`l(#C0!I4j2S^q^Y8Ig%dW!b3tNv1}Uchvup3;Q*msEXNnhBV%|W2W9EW>z*sd zHDa%<<7y|%5qxfPdQ5CB2pqu%#};QD__|^h(!2=t*FSTTBWAJn;6B{89Xngf8+tGG zT|DT3a7LsZ2;|`qbsn{!A8i~K5u+U(4f~zWfSbNN!zX6ql)rr&pJ7=@B%@e3$R`ur z_)vh$$3>=(cf3q;T0t{l%#DZ6+3-5x8*BpAzY_%sbn%j$(Z*!c<|({3Bh**&28){Z<_gY_ zb^7l*W-O%M@#Db(KcfQnV~qsfNQX#c!HIfvj3#i_q4yKI)xCr+ktD=-9_iBMwR3Uv zWnn#nf$fttOafQ-Yl4ehsWow*Ny z9f}E^xsCPjLHSfcQ<+@kT{%nrQz^vh-Thrh+Gphar5h{WS_HHScGh}3RgaFuFL}c? zx9%P14Ew*LEGrtUAjAqOl4Z9INgL~!gokd!@YzV`s(gZ?;$jsmT?=(uvv9zbqnNU9m+8iifXmK0owEKufqT)Yk@8^{uU|U-oJz z*KQp8HdxQxoDns19U@mehAIvLd7Q9P^Z8BK{nrK)(3f@w`c>cjYmfDCto{7g5M$~~ znYEQ!imZjm74d7?V`ykc$lsVtnRhAkFt8m!J9LP17`niZ&KP$s*zKp3n{(WQ|9qD> zi-jgzrq$KORnJc{uY-%F-}|4=1JS{e$Lbvqm8tO_V_iX_I7Kq*ToT{R z*@z`79;4@jML6VR$&~*0Aa#G?aj?gL+yzD965d4Qe^QN% z|LGMh)<^XyEV}t#rAZTSQQ;H?x}lzc{w6`_)Pep+QjJaZq`Rp@9z=za#sU`E=jc#I zs4TFZN)g+)z_{h8G?-(}otr-ss*0e8+KChRd9E7^cG!r2OkE(%*%lwqTGKoz=NsEN zw=QMQ69Va6xXF=YkUr6#G~TO;9Z{z^xv<;>2&Al|I{&)5XNb)HY4|b>x-ZDJtt4&~ zYE{Q-EvAcq>p}NP9b8f6y;g{xF@t6#`)4nz(#P7pdKB`uvPX)Y%_K9RWSB-tfsaf!f)r>dL&vSYn3=kSSW^1D^=I z&>;XRK%w{jFmBGUtm5X)T}4UU@j(i%VJA0$WA{mcpici9jKUZ==j)!GU8E3vu3@IsZ06I zh#Uzn4oBiqaWdR>*ywI3`uQe_3Mw70pJYtHcq1XGDGvrR)!l4%S8IIu)d36n?()3Q z2UmM%q26gIKP?5tcD$VKw{QPB;U${Q{pB(x!_4InM>h&cndwo2vUNk1 z_duJ12jPJ48M->X*obmDE+RUB)TYIbgaQpn1+!8##I=DekL(osD^?8dyJ8XF@=qW z`~Jn>_E-P5TrTkE>dFU?E_&JHbd++O3jy2Qew#eHty1~3(0Qz;dz5Az<(N*;w<42Gz`B2i-u1ps^pEe%cN9ln zaF(o)ae_&}=lnSHha0~4#$*5rZ?kc$0&wqOB(NfC6X@H*bUnYInHynxW`xu{}}x1Z`A|* z$L=#{^CS-uFL#z$|4@MrWj~uyfgh;=61ha*(C-U-M$-rIuR&fx$V0|;gE^u$d@VKC zms#@Y!w>a?{-1}-57jK4b#RKwnj$l5HMA-HgwSl*5y!$!YPlNbk6nh;^s+9x*C{$$ zk?YX1%Ntssa(9y@F3)_ZRx`Z^W8FBLWCp9Bl&)fj@hBCFFytj{aLz>~{%@vkAHv~* zbtDiKGTYU)YBf5Yo%+x?FjPLZqZT*i`+M5{vZBd zJtwZ#azS(Wzp=ITuupR;lOSvHriFJewJDu-#d>C=5PI?Pw>`=55r zW4lXub^<>0C@-19gQisa$Xcs62^8eHU1h;x#mm23O+n72Smr@ZbDvtLexV>|ANEey zSG?%(R$%wX$b+!9m^TCFRcSt-ljGv`eM74W-j*s&rUr$T7#>X4Qzj6_Q|Vph3{FVG zZ4B8$o=n}E{()yqj^^(d=BPI)cfS~^(h!?XE(p=%ntchw3DWkZR8Pkh$v zQ7|C{?4g}aYiUXUE%4{`3jhAwmHqK&`y<=ZzkfR2u=syr|6JkUNB?gB{WHC?@+(TYy1M%F z!v5L3AO)9!T9*h_DZ00u`ET>`tbkE*2OyC*M2Mciru=E?tUz{Je@6Pdh!%*@Fw7% zzNVFVUO)5H)DWoRkY?hT_zLdS&MNDAZ~zB?!N1y8)nRZ)NjK+%(*M4%3Zw#}4kw5q zilxS^-g&#iX8Cp2-DssJ_ z`BHa0-^1Y?C<27^X-CT;JCLI7SJ`XJ(hmfKCj+MzQqp%&X8JO0x8wjaSACp5ATX28 zpIFJ}oaz>)CX-x7u}z5n@o`h{>~Z>%4|j$L97z1MD6M{}LgE>^?o@l(r+kb+a(&WO2|%hy zC|D>Of94ou` zV}0}?cL23@2!?p2(DA!d2qgLZ+()$g($ZB_KmVhc)P&p@D{?=8#8Mn|>M37KMKT;5 zUk=ff3>SiU3SXeUp&n;5*Juc)A)qTb>6&Tl{`1b2ho2B%K6)qYZkntOPO$G_cyx? zVW|rPKkh61W8*;Z1L(v+&S?`H-3?=j92zxjOOtbg^q7HTy*X$)cz>}(O&aebN(8YC^4p7UJ;U>3meS#~3f!|72@y7S zTx=aZYDwCSja!6UtyOc@_2Ez&Rb25S7E6eahZVx}n!K0Fv^y(zX!I$-$B4eY&G!6?zaPUR993PYhr?)OR4GQpH%Qe4u!^8N; zJ0A83o9(A%cf-QKDE=$FCfyAbQxjl~uP_TtgZT=$%fcMw?)i>Se8)r=_#h}UE$NI? zi(aGcDVOzY=N3KX@GU7NAS{ary`uDg=7~R)8W`en$(Vpg6UN(}Ozc_WS z)Vm4a>7Db6U-(!NO1No1hbuWhAd#+f#^*++RYvyDx=Z$I`PYB_!7ab=7E+tSTl(%PU+_;8*mQctmuQcPYq~|TE_aEun zYJ5A(%vyD(As;EL;DgfhxJpyai}UkS6imuB6?(6PZ9->c)dc*x^lzG8{ESe#O z(L21Xybi@h_rgc34l{Skh$9SJQ(;wH;Li&}w#;*Mzk7epwv<0*?8*^I!JDJUEv@0I zx#o84fB&!q&xC5f`af%X0e@REbc=+>mSzl(QA6e!{ zwl^W~B73pgLtL>)&J#;Tl(;TQQghM-Mey2ULQDN`wDb^bG{r=o=zkPo;1jeks{CjTWe}Uz- zj!{I4VvO(7hVe6=2poTwMs$-+kH>ZSqw6wmG;SgUxt(s}4^3FDzqrp_G@v*(vsGE6 z)_}7fJ2lnm_WEYtKt!Hv)Q4NAzD=~H|3l)!Ie!XoPtJhF8w99;kb2H$7@#u1k%O6tceF!)pKMN#It>xg6IUlLv3=o#S+RT@Ewz zx*Ri2c|*(Z;<~Dvd|_?1+L@kp%|4$^K3gO4Bbd$^fF=%Hiey}q?2mtM>|qI*oJK-< z&h>tkXIzSXmkEFD)6U)pV4?I@RN;|GeQ%xhb`dgNt)gM%-fMg3v}?Gx^DDx`cJSwM z#@fwk5htfd+Bq{<*1f*ZR(j)0@NmwzR%>Lth*H&|6Y8;hr}QmZ*#1X@UZBPtyp9)Z zYHwme;vRI|09*W|30$3XBO9|!XSc<6Tjuy}N15E)ED>xf9_WU3(XEqc#y+|3*=H2dA8nwB~V@)Ce5WbHPbj9BFNzqFiyG^ra1q{)H@sBybjn zu3zx(xhj=RXI(gC+zc|l+ojvGPq9K0-^fcUD^w}dfeL;z3If}^rD;lHuWV1nBZ z^%Ex_9KFy!^=~@+o`atS;^Tdu9*YKay6SAShyqWy&Mdl~w5bP#yz`|Ehe5QR-hvQ)y20eB}udc5-=8`Y+C8s?584CLuz_1#)asJ86BFcjY;E zMQ8FqYTnDf!(g~WGplqHW+gqPVitT&6}XbP&>`g{{)O}c&qV9Jw=(h*BAL?cs-o=t1KfxW~c*Bil2IwmA1Ue6& z@zXZRqu4wvA0z6-V|Db#w3AD%;qt`2D* zsi&SQ*k|Wdc$|MC3&8#$N5Pei%u^=)aNt9KrTkz8r!6X0p%Bf=pA^S20uRSWRMP#A z%HDzX^>vv)^?_NVAv!}fqKiz-apl60L?lz`=42{Wt$*jzW0##${oR)bCVc*nRS-gs zkoX+)^Ky=SC*khcWbB22n(}1K1aAAh z5-dDs`LV$Di|VRQr|m^!1%cp;lc}*>kVD$OS9>bTJv~E`GtT^y5xQDLt&`#b=WEuo z_LZ1iJX*(QYf18_U%Rqe(3|OVmw0f?1Cecwx7x%adHzF^yTHEFY>RLmqWnQ~E#|mK zyET?;E0vC)+Uw98ESr}qw4A!}xF~vIRCy?&EPH`Y68^Y?NV~PYL1wyi1TE*;qq~kL z{kx199QKedchem_S(tw6z=xZ$y@qZ8PmoPQ!|}dbb&SKt>+$w2x%Ju3|KKp2bF2aX zb2+QtXnTwqZ~j*GLX#y?Q6b&mnjPJmvOE}^RsA``ntF4COS;fA&JE$)=JUb}(s;Ys z6A&w*!JIE(K&Lw}(?PfvTs2P#c=IAWAhZ=#J{^}1g@5+KF2u3CtKd(epc_truH(3B zLmF!NwrBaQoM`Q?S%2j5hC`BEG}e8RY2mH7DPlg5cJwKMuy^m7&Mz36|UG=fho?3pfP;HMN%KR{+M8wii+ zNR{&+y})ht9~gtUz$}wZjPcE(zklDkDle?7%ld`)*OV%abOT=IjO&~Hx@aklsb3T7 zcg$U!5Zurm16hs9@y{D4ok%Z;HrGfenW8BUqUFzQfywsSMj#%7&8fL9FZk{2{Qm$BTprL8vBT;ILj7jOZaWhgKLxV=rxIGr zKh!%k8sp$)^TN+MZ`r@bZg_*#QQ!cRy5X#s6yM?Y&8?2+n6fpwX zX73yGGN(+XsncE`yESjT4tM%vsRtU~>1X8u<=LtN61HfB$Z_Tx5DP-H0VrfXShPl}~c09d(1DB;1)!#!Pc)#!O!}58Gdg-Se6~+kqnycg%sr z-zU(AdK`BkihP2Xcsma9BKC1KR6picBNiLyG_ zfm9DVQY8WV-|TWtAC=kS@2i_UFRd=^H)I7+w&u5jQt3>aA8MToU(V(S6yG3Rg=0T` ztJ$lu`}rgNEZQF&r^w_e{!P}l<~y`gTvu6Xu91l5%+DA%o5sNE^ErAA%J#s1rTKe> z7Vy@xWp8)*Ztx9k+nR53d=|I)SN7*8_}S!bUA|;Y{%x*<=Aii~=XyPgYt3g!W9FkR z^BsQUinOW$=6n3?l?%;ZaxHX7%-^}Rl|#_DO6^r7&EISOh64ighuW?SRVl8Dydn99 z`3Xs7UH`J*;pflzSrM366Pdqo8$TkEpLg_cp52-sbEMGHG70~cbu(?gMmh2O%i66l z3rNi~{LX)lJxH2YxlL`mdWYLPySC2^^IM;6p5+{@$7*+*-*q0W^34xe=v&Ts-cPkP zAJvuu0g@*ski8IQA3pr!pC2w~ly=a)(t;@y_=RKVuP5LuU?;3kA5$mZD=d{u3KNc5 zcn2qysnxpjG;5uqat%gu?jSzkc&|_~88?KmYJY zc>T@4)PJcDd=Ct^^yPO1_)$Cg#{LAjcAm)h-|Ym@0H96FphOwLb(;_wZSj#tGgjcK ztW+z5%`8~0>$Rox)HzN0s{p#Y04~?nx|zWO_oFKw=wIQULFF18dLT}bvG3mh=%dfS z`7~rbtH^EJ1ze*d(UN9xe0>M`oEG#u;t&Pc&4J?U0YEY&#`iFm1sc&V{>hUN_@67i z!$nSfFc+V#8}l<#9PqI&cX=2utB(>{Y54j<7|wD&FH@pDfA>KqV!d4&r@&dvz{G%@YCP^<~JYz5K3Jb5V^}02~DfsDGDFMlPTbZ zqA2EZ-d-rr=x?57J~Orxx>SJ*B+`7SX6h3$(d1m9fg`d6I1zhWnYz2k;V_pm$`mtI zVdS0xuV84IFI-$)JkDcGEbZO+upQesJfvYW+&W1++Yw>t)bQbNfB5m+m>Syt;z$dX zE{94G;-Q*oJLX{#NZzi8g1{1wp>f5!223=_SWOKJll9K2DwZ1YGxCeV+>A_EqlFjP zFWrMnYj8gkhsRA2BZ%u3ms+pzO{wQ#d8G7TnH2>`Rl6PQL%E*mvye)_yNrr``&&k0 zk7lI8ln=J|kK}Um2z|)0^}}psw|a49(DrJxQf-4pKb^00#pYlzo z+lN-`pP%oE{efj^f?m@S_Y?RpbU877c>TY}v~g1}8`{+c8!t3}i9-y)34MxS8C)GR z2Zo&H@(^JbQT%t1{}+%-kWn>o$_~9tl%=L8$p8EEE_f9qN7g3iuL0$n5(gqDYEj=M zdTeJ-Es$5K4`xV&H_}D5reMioxxfe_yc+I(kI6Ngs^5wt_Yu)>8*cJBNBH&= z-$9g}&^7?_=8#x&aH9{&D4_UwJbU5t@{*A;nS4Yd&ZbwyM<0Lk{%^nf4gBV_kH7wy zge&s0nKWX6{zNBG#6-WxZ1nsg2Kduv?Q{?KLVl5VaJ8n4_+~I!93OX+#Nv4J@ZwM= zh4=)Rnrqg$M{GIsyOkVov95{^Sg&M~t!oDSE&0oCwl(5F-J2Q-;GAESYcR!fOEl|e z%g6(4JTgtsL_|RjNoV|iNoV=Yb0HG7g2sv7v_D zBsO_X8UBV>8=sd3WpuJVyAk(G6V46?T%M@;Z$xuN?K~tIXd+(_hfh6@8(OrN-JEWuyLfy6Fj}hUia6uLXrd`@8=f-~7X{9i_GUygV#9sOdMz#rEes{a=l2JXQw z*PE)SUva>{BTs;yh2csG++!~zX^KdXC z5o7t`hKV!pKo8KZg*3+kQP0dJv@bls#-4H+{gVhOp zp$@|oiC+6ot2`)2iD_~6QLajOy%Cq{N>AX%ScBWoK*k5~ThRxfG9w*a&n*-i+7JW| zKd~9N@AZMAy|nUku;ec#*a@z8V?jEJ{P-p2EZ(jORj^Y@N%hxa>-{mWAsT{abYNLVPT!$604NG-{u)5o{SXkYjqYAUJY#-9AiOd8egk|S8 z;K0I%dslEAA}tI*L7Su>_TEUC1Gh&JwS&k48^I_NkiJ1oq~mi;LlACI+y>1^C>~q8mFZ^%Q|%r_?gmQ zaXqOgbQ3?&>evY;8ds4}VLLqi!@)U3YQ+NK!c11kb^OZ78aeeHppS80yKaV=tc6=X zw7kWUyKAHhh5|(_x0pl{+es`kM+fcX@v|xkOLv5qWIyDcm6Dzd#Iw?hF7|)az$9`> z!r(KAWa|@J_cxVs!|d!KeiW6a&BLbVEtYo?ue<0f#3pv{pcku1AJ@eBjr%~Df(4kV zFiK*Vz!(#U{0a#q8QmY1l`oR*G!I@VF6eI(NR;wkD9(!GG7nIo-CMg<2G!YT2K`t7 z&5r2PnhESq!aLkT*#{;B-IHa)AsNxrRQ3jp!l!xiZ8EJI?)ktrb^cwdd3D^G1hK0oj2rDrXYt!yzOR76xd9aju#^VaR#rv;(LVj zJ~1_D8cY8LI-d2KqrFR&y1H-ENKSYMN?>}s{l3n77U;Uvy@#l~ddQ6uo#baK(^7wX2~aTU)xF!~jv_cf2!siq2?7kvaPAzK z;T+iPqxG{WtlM;D?OHu`#0u!zr?0PORnhM=g_-?|Ag|3=`$w-CnwD96)QVQ)JUv_% zICj%f6m84TC~vJ^W1=nG4#@RDts8%K&m<|^F#&#>mrtj+jzyA8*c75OvZ>Mu{xz$g zS-GI>?6pqjujhqvmpps^9n=>p!$-b^2im?te-n$tAfUW)Hd`$rS5X~ipff=F2|(xJ zn#u@-stgVar~&~jF00zDapAngWL`X90HsAW1x&gDrZ07hB zccew8lo`MUmCAKmXICruQn#K0SE^N365HlQr7{Abf(~`4j$rDy*0`w-0IKNDaj43I zxY5AFISo8t7g$t3F{E}my&=5RE5us&xGXd~pQCRV6Pd*{q-$S-!}D#l`cro|075(fA@6Nq^YC5xsqW7B}Btq+_v$(oiPSlN$||QDPjP zh%WebDstVzlMCo7hjN_qST07M40Oulu^Xni5(PP)s)ALPJu_Fsiy$X9a&msq8Mu3_ z*D@Y^Rgg{VFSW%lgt6~6?U)PO3*#__m1`3(7)=BXphbXhFi%H;d!R-lssPU_ypnf> zFkN$nIH)S8D!R4T0v5D<)d(s3+mPj@Im#n$s3@|9{l3!z-dt2@84NFN3ULTFU{R!+ zX21seNtm3T>S#YAjd(U~8H=_JC6Y;1+-|rKbS|oxX@)WRLCR$70h9Ol1_FVQj zGCL8!uav9E3^Q> zbr5ZygBCs%i@?(SHI0!(?hcU1baS5N`ooLVFCOYI>6hI#jA@th`Zf1(aR9e3NcJ_*2@*8#2+-Nqcoyw6e8_rCEURJ>GV}5$b^R;f zr~`(NqfOiff5WXnoAO6*jmN!fChpez#yQ95pS%~%pFA(01-BN","\n "]);return b=function(){return e},e}function g(){var e=E(["\n ","\n "]);return g=function(){return e},e}function w(){var e=E(['
',"
"]);return w=function(){return e},e}function k(){var e=E(['\n \n
\n ','\n\n \n \n \n \n \n \n
\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ".concat(t.codeMirrorCss,"\n .CodeMirror {\n height: var(--code-mirror-height, auto);\n direction: var(--code-mirror-direction, ltr);\n }\n .CodeMirror-scroll {\n max-height: var(--code-mirror-max-height, --code-mirror-height);\n }\n :host(.error-state) .CodeMirror-gutters {\n border-color: var(--error-state-color, red);\n }\n .CodeMirror-focused .CodeMirror-gutters {\n border-right: 2px solid var(--paper-input-container-focus-color, var(--primary-color));\n }\n .CodeMirror-linenumber {\n color: var(--paper-dialog-color, var(--secondary-text-color));\n }\n .rtl .CodeMirror-vscrollbar {\n right: auto;\n left: 0px;\n }\n .rtl-gutter {\n width: 20px;\n }\n .CodeMirror-gutters {\n border-right: 1px solid var(--paper-input-container-color, var(--secondary-text-color));\n background-color: var(--paper-dialog-background-color, var(--primary-background-color));\n transition: 0.2s ease border-right;\n }\n .cm-s-default.CodeMirror {\n background-color: var(--code-editor-background-color, var(--card-background-color));\n color: var(--primary-text-color);\n }\n .cm-s-default .CodeMirror-cursor {\n border-left: 1px solid var(--secondary-text-color);\n }\n \n .cm-s-default div.CodeMirror-selected, .cm-s-default.CodeMirror-focused div.CodeMirror-selected {\n background: rgba(var(--rgb-primary-color), 0.2);\n }\n \n .cm-s-default .CodeMirror-line::selection,\n .cm-s-default .CodeMirror-line>span::selection,\n .cm-s-default .CodeMirror-line>span>span::selection {\n background: rgba(var(--rgb-primary-color), 0.2);\n }\n \n .cm-s-default .cm-keyword {\n color: var(--codemirror-keyword, #6262FF);\n }\n \n .cm-s-default .cm-operator {\n color: var(--codemirror-operator, #cda869);\n }\n \n .cm-s-default .cm-variable-2 {\n color: var(--codemirror-variable-2, #690);\n }\n \n .cm-s-default .cm-builtin {\n color: var(--codemirror-builtin, #9B7536);\n }\n \n .cm-s-default .cm-atom {\n color: var(--codemirror-atom, #F90);\n }\n \n .cm-s-default .cm-number {\n color: var(--codemirror-number, #ca7841);\n }\n \n .cm-s-default .cm-def {\n color: var(--codemirror-def, #8DA6CE);\n }\n \n .cm-s-default .cm-string {\n color: var(--codemirror-string, #07a);\n }\n \n .cm-s-default .cm-string-2 {\n color: var(--codemirror-string-2, #bd6b18);\n }\n \n .cm-s-default .cm-comment {\n color: var(--codemirror-comment, #777);\n }\n \n .cm-s-default .cm-variable {\n color: var(--codemirror-variable, #07a);\n }\n \n .cm-s-default .cm-tag {\n color: var(--codemirror-tag, #997643);\n }\n \n .cm-s-default .cm-meta {\n color: var(--codemirror-meta, #000);\n }\n \n .cm-s-default .cm-attribute {\n color: var(--codemirror-attribute, #d6bb6d);\n }\n \n .cm-s-default .cm-property {\n color: var(--codemirror-property, #905);\n }\n \n .cm-s-default .cm-qualifier {\n color: var(--codemirror-qualifier, #690);\n }\n \n .cm-s-default .cm-variable-3 {\n color: var(--codemirror-variable-3, #07a);\n }\n\n .cm-s-default .cm-type {\n color: var(--codemirror-type, #07a);\n }\n "),this.codemirror=r(n,{value:this._value,lineNumbers:!0,tabSize:2,mode:this.mode,autofocus:!1!==this.autofocus,viewportMargin:1/0,readOnly:this.readOnly,extraKeys:{Tab:"indentMore","Shift-Tab":"indentLess"},gutters:this._calcGutters()}),this._setScrollBarDirection(),this.codemirror.on("changes",(function(){return i._onChange()}));case 9:case"end":return e.stop()}}),e,this)})),n=function(){var e=this,t=arguments;return new Promise((function(n,i){var o=r.apply(e,t);function a(e){W(o,n,i,a,s,"next",e)}function s(e){W(o,n,i,a,s,"throw",e)}a(void 0)}))},function(){return n.apply(this,arguments)})},{kind:"method",key:"_onChange",value:function(){var e=this.value;e!==this._value&&(this._value=e,Object(H.a)(this,"value-changed",{value:this._value}))}},{kind:"method",key:"_calcGutters",value:function(){return this.rtl?["rtl-gutter","CodeMirror-linenumbers"]:[]}},{kind:"method",key:"_setScrollBarDirection",value:function(){this.codemirror&&this.codemirror.getWrapperElement().classList.toggle("rtl",this.rtl)}}]}}),i.b);function se(){var e=de(["

","

"]);return se=function(){return e},e}function ce(){var e=de(["\n ","\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;aInvalid YAML
']);return Ae=function(){return e},e}function Se(){var e=Te(['
',"
"]);return Se=function(){return e},e}function Ce(){var e=Te(["\n

",'

\n \n
\n \n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ","\n \n ',"
"]);return Xe=function(){return e},e}function Ze(){var e=tt(['\n \n
\n ',"\n\n \n \n \n \n \n \n \n ",'\n \n
ContainerHostDescription
\n
\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;at.container?1:-1}))}},{kind:"method",key:"_configChanged",value:(o=Je(regeneratorRuntime.mark((function e(t){var r;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:r=t.target,this._config.forEach((function(e){e.container===r.container&&e.host!==parseInt(String(r.value),10)&&(e.host=r.value?parseInt(String(r.value),10):null)}));case 2:case"end":return e.stop()}}),e,this)}))),function(e){return o.apply(this,arguments)})},{kind:"method",key:"_resetTapped",value:(n=Je(regeneratorRuntime.mark((function e(){var t,r,n,i;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return r={network:null},e.prev=1,e.next=4,Object(a.i)(this.hass,this.addon.slug,r);case 4:n={success:!0,response:void 0,path:"option"},Object(H.a)(this,"hass-api-called",n),e.next=11;break;case 8:e.prev=8,e.t0=e.catch(1),this._error="Failed to set addon network configuration, ".concat((null===(i=e.t0.body)||void 0===i?void 0:i.message)||e.t0);case 11:if(this._error||"started"!==(null===(t=this.addon)||void 0===t?void 0:t.state)){e.next=14;break}return e.next=14,f(this,this.hass,this.addon);case 14:case"end":return e.stop()}}),e,this,[[1,8]])}))),function(){return n.apply(this,arguments)})},{kind:"method",key:"_saveTapped",value:(r=Je(regeneratorRuntime.mark((function e(){var t,r,n,i,o;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return this._error=void 0,r={},this._config.forEach((function(e){r[e.container]=parseInt(String(e.host),10)})),n={network:r},e.prev=4,e.next=7,Object(a.i)(this.hass,this.addon.slug,n);case 7:i={success:!0,response:void 0,path:"option"},Object(H.a)(this,"hass-api-called",i),e.next=14;break;case 11:e.prev=11,e.t0=e.catch(4),this._error="Failed to set addon network configuration, ".concat((null===(o=e.t0.body)||void 0===o?void 0:o.message)||e.t0);case 14:if(this._error||"started"!==(null===(t=this.addon)||void 0===t?void 0:t.state)){e.next=17;break}return e.next=17,f(this,this.hass,this.addon);case 17:case"end":return e.stop()}}),e,this,[[4,11]])}))),function(){return r.apply(this,arguments)})}]}}),i.a);var vt=r(83);function yt(e){return(yt="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function bt(){var e=Ot(["\n .content {\n margin: auto;\n padding: 8px;\n max-width: 1024px;\n }\n hassio-addon-network,\n hassio-addon-audio,\n hassio-addon-config {\n margin-bottom: 24px;\n }\n "]);return bt=function(){return e},e}function gt(){var e=Ot(["\n \n "]);return gt=function(){return e},e}function wt(){var e=Ot(["\n \n "]);return wt=function(){return e},e}function kt(){var e=Ot(['\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a"]);return Nt=function(){return e},e}function Ht(){var e=$t([""]);return Ht=function(){return e},e}function Bt(){var e=$t(['
',"
"]);return Bt=function(){return e},e}function qt(){var e=$t(['\n
\n \n ','\n
\n ',"\n
\n
\n
\n "]);return qt=function(){return e},e}function Vt(){var e=$t([""]);return Vt=function(){return e},e}function $t(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function Lt(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function Wt(e){return function(){var t=this,r=arguments;return new Promise((function(n,i){var o=e.apply(t,r);function a(e){Lt(o,n,i,a,s,"next",e)}function s(e){Lt(o,n,i,a,s,"throw",e)}a(void 0)}))}}function Gt(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Yt(e,t){return(Yt=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Jt(e,t){return!t||"object"!==Mt(t)&&"function"!=typeof t?Kt(e):t}function Kt(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Qt(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Xt(e){var t,r=nr(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function Zt(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function er(e){return e.decorators&&e.decorators.length}function tr(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function rr(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function nr(e){var t=function(e,t){if("object"!==Mt(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==Mt(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===Mt(t)?t:String(t)}function ir(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a bit more top margin */\n font-weight: 500;\n overflow: hidden;\n text-transform: uppercase;\n text-overflow: ellipsis;\n transition: background-color 0.3s ease-in-out;\n text-transform: var(--ha-label-badge-label-text-transform, uppercase);\n }\n .label-badge .label.big span {\n font-size: 90%;\n padding: 10% 12% 7% 12%; /* push smaller text a bit down to center vertically */\n }\n .badge-container .title {\n margin-top: 1em;\n font-size: var(--ha-label-badge-title-font-size, 0.9em);\n width: var(--ha-label-badge-title-width, 5em);\n font-weight: var(--ha-label-badge-title-font-weight, 400);\n overflow: hidden;\n text-overflow: ellipsis;\n line-height: normal;\n }\n "]);return ur=function(){return e},e}function fr(){var e=yr(['
',"
"]);return fr=function(){return e},e}function pr(){var e=yr(['\n \n ',"\n
\n "]);return pr=function(){return e},e}function hr(){var e=yr([" "," "]);return hr=function(){return e},e}function mr(){var e=yr([" "]);return mr=function(){return e},e}function vr(){var e=yr(['\n
\n
\n \n \n ',"\n ","\n \n
\n ","\n
\n ","\n
\n "]);return vr=function(){return e},e}function yr(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function br(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function gr(e,t){return(gr=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function wr(e,t){return!t||"object"!==dr(t)&&"function"!=typeof t?kr(e):t}function kr(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Er(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Or(e){var t,r=Dr(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function jr(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Pr(e){return e.decorators&&e.decorators.length}function xr(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function _r(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function Dr(e){var t=function(e,t){if("object"!==dr(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==dr(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===dr(t)?t:String(t)}function Ar(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a4)}),!this.icon||this.value||this.image?"":Object(i.f)(mr(),this.icon),this.value&&!this.image?Object(i.f)(hr(),this.value):"",this.label?Object(i.f)(pr(),Object(sr.a)({label:!0,big:this.label.length>5}),this.label):"",this.description?Object(i.f)(fr(),this.description):"")}},{kind:"get",static:!0,key:"styles",value:function(){return[Object(i.c)(ur())]}},{kind:"method",key:"updated",value:function(e){Sr(Cr(r.prototype),"updated",this).call(this,e),e.has("image")&&(this.shadowRoot.getElementById("badge").style.backgroundImage=this.image?"url(".concat(this.image,")"):"")}}]}}),i.a);customElements.define("ha-label-badge",Tr);r(33),r(102),r(96);var zr=r(116);r(103);function Rr(e){return(Rr="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Fr(){var e=En(['\n :host {\n display: block;\n }\n ha-card {\n display: block;\n margin-bottom: 16px;\n }\n ha-card.warning {\n background-color: var(--error-color);\n color: white;\n }\n ha-card.warning .card-header {\n color: white;\n }\n ha-card.warning .card-content {\n color: white;\n }\n ha-card.warning mwc-button {\n --mdc-theme-primary: white !important;\n }\n .warning {\n color: var(--error-color);\n --mdc-theme-primary: var(--error-color);\n }\n .light-color {\n color: var(--secondary-text-color);\n }\n .addon-header {\n padding-left: 8px;\n font-size: 24px;\n color: var(--ha-card-header-color, --primary-text-color);\n }\n .addon-version {\n float: right;\n font-size: 15px;\n vertical-align: middle;\n }\n .errors {\n color: var(--error-color);\n margin-bottom: 16px;\n }\n .description {\n margin-bottom: 16px;\n }\n img.logo {\n max-height: 60px;\n margin: 16px 0;\n display: block;\n }\n\n ha-switch {\n display: flex;\n }\n ha-svg-icon.running {\n color: var(--paper-green-400);\n }\n ha-svg-icon.stopped {\n color: var(--google-red-300);\n }\n ha-call-api-button {\n font-weight: 500;\n color: var(--primary-color);\n }\n .right {\n float: right;\n }\n protection-enable mwc-button {\n --mdc-theme-primary: white;\n }\n .description a {\n color: var(--primary-color);\n }\n .red {\n --ha-label-badge-color: var(--label-badge-red, #df4c1e);\n }\n .blue {\n --ha-label-badge-color: var(--label-badge-blue, #039be5);\n }\n .green {\n --ha-label-badge-color: var(--label-badge-green, #0da035);\n }\n .yellow {\n --ha-label-badge-color: var(--label-badge-yellow, #f4b400);\n }\n .security {\n margin-bottom: 16px;\n }\n .card-actions {\n display: flow-root;\n }\n .security h3 {\n margin-bottom: 8px;\n font-weight: normal;\n }\n .security ha-label-badge {\n cursor: pointer;\n margin-right: 4px;\n --ha-label-badge-padding: 8px 0 0 0;\n }\n .changelog {\n display: contents;\n }\n .changelog-link {\n color: var(--primary-color);\n text-decoration: underline;\n cursor: pointer;\n }\n ha-markdown {\n padding: 16px;\n }\n ha-settings-row {\n padding: 0;\n height: 54px;\n width: 100%;\n }\n ha-settings-row > span[slot="description"] {\n white-space: normal;\n color: var(--secondary-text-color);\n }\n ha-settings-row[three-line] {\n height: 74px;\n }\n\n .addon-options {\n max-width: 50%;\n }\n @media (max-width: 720px) {\n .addon-options {\n max-width: 100%;\n }\n }\n ']);return Fr=function(){return e},e}function Ir(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function Mr(e){return function(){var t=this,r=arguments;return new Promise((function(n,i){var o=e.apply(t,r);function a(e){Ir(o,n,i,a,s,"next",e)}function s(e){Ir(o,n,i,a,s,"throw",e)}a(void 0)}))}}function Ur(){var e=En(['\n \n
\n \n This add-on is not available on your system.\n

\n ']);return Nr=function(){return e},e}function Hr(){var e=En(["\n ","\n \n Install\n \n "]);return Hr=function(){return e},e}function Br(){var e=En(['\n \n Rebuild\n \n ']);return Br=function(){return e},e}function qr(){var e=En(['\n \n \n Open web UI\n \n
\n ']);return Vr=function(){return e},e}function $r(){var e=En(["\n \n Start\n \n ']);return $r=function(){return e},e}function Lr(){var e=En(['\n \n Stop\n \n \n Restart\n \n ']);return Lr=function(){return e},e}function Wr(){var e=En(["\n ","\n ","\n ",'\n ',"
"]);return Gr=function(){return e},e}function Yr(){var e=En(["\n \n Protection mode\n \n \n Blocks elevated system access from the add-on\n \n \n \n Show in sidebar\n \n \n ',"\n \n \n \n "]);return Jr=function(){return e},e}function Kr(){var e=En(["\n \n Auto update\n \n \n Auto update the add-on when there is a new version\n available\n \n \n \n Watchdog\n \n \n This will start the add-on if it crashes\n \n \n \n \n Start on boot\n \n \n Make the add-on start during a system boot\n \n \n \n \n \n \n \n \n \n \n
\n ']);return fn=function(){return e},e}function pn(){var e=En([" "," "]);return pn=function(){return e},e}function hn(){var e=En(['\n \n
Warning: Protection mode is disabled!
\n
\n Protection mode on this add-on is disabled! This gives the add-on full access to the entire system, which adds security risks, and could damage your system when used incorrectly. Only disable the protection mode if you know, need AND trust the source of this add-on.\n
\n
\n \n
\n \n ','\n
\n
\n \n Update\n \n ',"\n
\n \n "]);return wn=function(){return e},e}function kn(){var e=En(["\n ","\n ",'\n\n \n \n
\n ',"\n
\n
\n\n ","\n "]);return kn=function(){return e},e}function En(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function On(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function jn(e,t){return(jn=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Pn(e,t){return!t||"object"!==Rr(t)&&"function"!=typeof t?xn(e):t}function xn(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function _n(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Dn(e){return(Dn=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function An(e){var t,r=Rn(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function Sn(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Cn(e){return e.decorators&&e.decorators.length}function Tn(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function zn(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function Rn(e){var t=function(e,t){if("object"!==Rr(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==Rr(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===Rr(t)?t:String(t)}function Fn(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r **Stable**: These are add-ons ready to be used in production.\n\n **Experimental**: These may contain bugs, and may be unfinished.\n\n **Deprecated**: These add-ons will no longer receive any updates.")},rating:{title:"Add-on Security Rating",description:"Home Assistant provides a security rating to each of the add-ons, which indicates the risks involved when using this add-on. The more access an add-on requires on your system, the lower the score, thus raising the possible security risks.\n\nA score is on a scale from 1 to 6. Where 1 is the lowest score (considered the most insecure and highest risk) and a score of 6 is the highest score (considered the most secure and lowest risk)."},host_network:{title:"Host Network",description:"Add-ons usually run in their own isolated network layer, which prevents them from accessing the network of the host operating system. In some cases, this network isolation can limit add-ons in providing their services and therefore, the isolation can be lifted by the add-on author, giving the add-on full access to the network capabilities of the host machine. This gives the add-on more networking capabilities but lowers the security, hence, the security rating of the add-on will be lowered when this option is used by the add-on."},homeassistant_api:{title:"Home Assistant API Access",description:"This add-on is allowed to access your running Home Assistant instance directly via the Home Assistant API. This mode handles authentication for the add-on as well, which enables an add-on to interact with Home Assistant without the need for additional authentication tokens."},full_access:{title:"Full Hardware Access",description:"This add-on is given full access to the hardware of your system, by request of the add-on author. Access is comparable to the privileged mode in Docker. Since this opens up possible security risks, this feature impacts the add-on security score negatively.\n\nThis level of access is not granted automatically and needs to be confirmed by you. To do this, you need to disable the protection mode on the add-on manually. Only disable the protection mode if you know, need AND trust the source of this add-on."},hassio_api:{title:"Supervisor API Access",description:"The add-on was given access to the Supervisor API, by request of the add-on author. By default, the add-on can access general version information of your system. When the add-on requests 'manager' or 'admin' level access to the API, it will gain access to control multiple parts of your Home Assistant system. This permission is indicated by this badge and will impact the security score of the addon negatively."},docker_api:{title:"Full Docker Access",description:"The add-on author has requested the add-on to have management access to the Docker instance running on your system. This mode gives the add-on full access and control to your entire Home Assistant system, which adds security risks, and could damage your system when misused. Therefore, this feature impacts the add-on security score negatively.\n\nThis level of access is not granted automatically and needs to be confirmed by you. To do this, you need to disable the protection mode on the add-on manually. Only disable the protection mode if you know, need AND trust the source of this add-on."},host_pid:{title:"Host Processes Namespace",description:"Usually, the processes the add-on runs, are isolated from all other system processes. The add-on author has requested the add-on to have access to the system processes running on the host system instance, and allow the add-on to spawn processes on the host system as well. This mode gives the add-on full access and control to your entire Home Assistant system, which adds security risks, and could damage your system when misused. Therefore, this feature impacts the add-on security score negatively.\n\nThis level of access is not granted automatically and needs to be confirmed by you. To do this, you need to disable the protection mode on the add-on manually. Only disable the protection mode if you know, need AND trust the source of this add-on."},apparmor:{title:"AppArmor",description:"AppArmor ('Application Armor') is a Linux kernel security module that restricts add-ons capabilities like network access, raw socket access, and permission to read, write, or execute specific files.\n\nAdd-on authors can provide their security profiles, optimized for the add-on, or request it to be disabled. If AppArmor is disabled, it will raise security risks and therefore, has a negative impact on the security score of the add-on."},auth_api:{title:"Home Assistant Authentication",description:"An add-on can authenticate users against Home Assistant, allowing add-ons to give users the possibility to log into applications running inside add-ons, using their Home Assistant username/password. This badge indicates if the add-on author requests this capability."},ingress:{title:"Ingress",description:"This add-on is using Ingress to embed its interface securely into Home Assistant."}};!function(e,t,r,n){var i=function(){(function(){return e});var e={elementsDefinitionOrder:[["method"],["field"]],initializeInstanceElements:function(e,t){["method","field"].forEach((function(r){t.forEach((function(t){t.kind===r&&"own"===t.placement&&this.defineClassElement(e,t)}),this)}),this)},initializeClassElements:function(e,t){var r=e.prototype;["method","field"].forEach((function(n){t.forEach((function(t){var i=t.placement;if(t.kind===n&&("static"===i||"prototype"===i)){var o="static"===i?e:r;this.defineClassElement(o,t)}}),this)}),this)},defineClassElement:function(e,t){var r=t.descriptor;if("field"===t.kind){var n=t.initializer;r={enumerable:r.enumerable,writable:r.writable,configurable:r.configurable,value:void 0===n?void 0:n.call(e)}}Object.defineProperty(e,t.key,r)},decorateClass:function(e,t){var r=[],n=[],i={static:[],prototype:[],own:[]};if(e.forEach((function(e){this.addElementPlacement(e,i)}),this),e.forEach((function(e){if(!Cn(e))return r.push(e);var t=this.decorateElement(e,i);r.push(t.element),r.push.apply(r,t.extras),n.push.apply(n,t.finishers)}),this),!t)return{elements:r,finishers:n};var o=this.decorateConstructor(r,t);return n.push.apply(n,o.finishers),o.finishers=n,o},addElementPlacement:function(e,t,r){var n=t[e.placement];if(!r&&-1!==n.indexOf(e.key))throw new TypeError("Duplicated element ("+e.key+")");n.push(e.key)},decorateElement:function(e,t){for(var r=[],n=[],i=e.decorators,o=i.length-1;o>=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a"]);return ii=function(){return e},e}function oi(){var e=si(['
',"
"]);return oi=function(){return e},e}function ai(){var e=si(["\n

","

\n \n ",'\n
\n ','\n
\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a',"\n \n \n "]);return ao=function(){return e},e}function so(){var e=co([""]);return so=function(){return e},e}function co(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function lo(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function uo(e,t){return(uo=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function fo(e,t){return!t||"object"!==ro(t)&&"function"!=typeof t?po(e):t}function po(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function ho(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function mo(e){return(mo=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function vo(e){var t,r=ko(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function yo(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function bo(e){return e.decorators&&e.decorators.length}function go(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function wo(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function ko(e){var t=function(e,t){if("object"!==ro(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==ro(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===ro(t)?t:String(t)}function Eo(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;aZG&qh(ZwiG|F_F7V=F3V0{UmHh89ZSy689z8nu8hv+rkzqNVAFyc z4k3iBzDqVrV-H&;#i0pLu{`m5hmLQ(@Iqb7Z6BZ2`#q$U&0ZfzeDd)60x4xd-Q*rROzO5gz#s{*Cj=if zE3jEjrvF_NmPKqna(0k7rEaOHs4z2+U5(60L0T_4k}1tMD2ft=aw8eDna)p7J zYEyK^G$ROIJyk5Y$GD`nZ8sZMte=cT4b;Kz`deYTu7J7nShFnjuzv-wioJwlh9UkJ zmd!~uQg9CR4oYa^t7gjfh^n)2z*rQBd_x|zl__<;6cezK-_CTjygFCGq5sK3){=6j zUDMlDDwxB-TNdlDfWw9xREFK%TK#L?(dn5#Y9{0!`}_bcL!uOcspLw+;4SC z02)&?zePxHE$u+$?8FXL&$|ewss~_IIzfe{svvU6(Jf_OBUu99>qdQJ6w~?^ z3Unz;w|))9D7=){bcXpuxwFj?(*86UvgnW{FL~0q(Ssr9Fm|-WteUimsW!5Tf=j(7 zy}=WEHSwAXnm3&TfIwRwg#b>6_KaOMJSif7O@*=(a6TND#VuN&R! zP3f+J{h`qTvm+wM9r1c8&Y5xDiLc`xoT7P=DoeGFipr|*+)mJ|IPrDUVrpvxakxU| zf`%aLF^KkeisDo0-iA&AY?#6AHPGGf^|jvCZS4))J-ivpDR^GM8COZM;JY3O2^~EG zODIh$tvU-khYcg)@L0u#^$a6iqJl!>f!jTLg2XbtNmy=uHLl;Ml(DDJ-f#p4}18Uh8h_A*ooXo?n z2-**&nIbk)o|&_<(lQB+REM$U5=Fc9Q3^&tbd@!3XJhrgCr25Zi7RW`^Qyzu#?WS< zM(x5TvK2>K<&-}SGgdnw@oMnsc{!+gYSerNvncJv)!X@lXS}F>a!{vjQu{$nM#}mj zx!9*En(7gvOXkJB`Qrlw(7s@D#sNALQE6IilcXW4)Ygd)v59&)oW~eFL#qR z|L3Ihah2WQFBhxh)afJy*7fN5&(#6oEfV0h& z>FnHk572YZc1E6<-vLx(-RYBR))XyI^}&RhY%3?S+Ru$uCyUB1qe7EzzG$o>Q2=aU zi52B`x6qsf5w-(*mn4D3(}4T2%OD!lMaVg}{JJ#0l6iRQM_j6JzLXCNtd}R|+LO&H z+P@d`>k}B14SE+GwY{1>dcHu?_74Ovu=9{|ghzr>NJDzPm_xUJ;=|`|UeGckQL)E!Q~EVO*W%L-(Zzv8+UDCz=Pbk6&<%3_Kc){O(Y$13*OPK;CBb zxgmOY%R zl7n^Zv_FkFKLDIlyb#iWJ#_-JDW7=E3u-yKMPbs&XpQm&z5rw^D-9#IdK;Wd)62E? zX^MeJ3Wo~-Nyb4aqOoQBxipeu7`uUx39@7DBMoJCI0Ou@>Bbah)CRKZA`oyPgy#I^ z!S`teU2sTv@dmeYb_8e746Vlc00ENyd=}w2v9y}7+PtJ-qw;&{ACeTbwNX?fbqvSg z$df1qB8-B(3>@uI>}fCmIA{C!w1$HwODaE;8xE_v2936ht@fFL(r7c6l|so*al4bL zMPf&7PX-bDz4WM8yktQ3wf{hdr@VtQZAu9Ub11HULWRV+gb%yB&{1huE zI|mfWXh~>pj&oJzgoZY#paUMKL;@_;tOr6)ma;D0eK5bSdh5fErOj<=aFW9=HXle4 zqY8_iR*MW;p3CxK6(furrMwt05;Rh5oV_JgP@TacBW~}dz#HIug1cHC6#`i0Wa0ZI3``v~v5hy4op*bIGnlxq=hIkNOlKKa&kAVM)1Da_ zma=kpk}m5HC=P18Z9gwuSF9WO?rzP(56-hr57fY_81K!}ULD9TmHsk&bvU)rY_&PB zRa)a<*v$@$`YL+^qV*W_NN^)6Q0B2=)URVY;^<7n(yx?}*-HsUgO_|Crv<0-6@@`E zYq?&}fW4UGwPa~`ZkhNjWPfn0{x~(W8$o>z07DXU>I{EGZ3@WBoR<|i@4h!HVLJ6D zNYi6VU0~BQmeW}Kd^%DO8f5v&ijLy)`6eEVJx{P8=v8i5It)ug4EfEKWC2k94t;GY z=>>48IR>E6KC0PB5Wslf{mxswWA}bTqk-Mz?&9%v`#d2GUT1OW{Lu*dhWfn~Fi2;u z8>vXEd194g?6lJ(zU9$(drS<8AE1SIl{3;BeeU2ODr_Kg6OISGmzz@G?u{E3mZ1jY z)43*6{D3z6zJAQt+rLn;XQXAUT_}c1IU|Ez@oP%?*^~J#4}}P!x!>uwKWtES-1W0V z03x=51-%Z!1qVdA-*V&oFLo)rl1j zOtqr6D2iYQ3L8hOpIBPZVcEjQj*F>I%5$M_6?AKTk=JjkvmC|%j z3XcihYl#z6ty#}*$8fi@nYgZluQaI4mfnbQkt8$F%954Xn*2fHf9R~^Z?~DY<+LD2 z*WYtP>615x;O>WE#x{4|EQ@n*l^U#}+?dAYo;IBGe<$Q@hO>5ej*hsFT^)19;GS|C zyPAI=*(D8GBNwR?8EADGmt_Xb$R8%V8zWS4N!9_jl}b1-S5mFK=RGe;@m2fUP6$dY zqZn|+nvXthkI_mJ%&f0mfwWf=@ebdUMcrpD9GT1IMT&FedLxkiwxJYU3$hj}>&B)I z2AvfSr~@2wcK|;IDW|=HuU*ltC*^joY=z%*uwPdvty^khP|X1~Uj*^-wWfh_b}#c_ zayN>^1>j}y~H-$VyP({vm|xRDf$DlmDQjZEMy z{3a~RumE7fg4bAS%M-S>-w%dn3k%i(_YonJ+v=eLZq_K8A-2p+;N-*zuZh71VDN&J zC6`(8T#$=BOSsg^(`Z~_ge2FdoCS+{H`!@pTIdtp9A|z#Sk$8PvbNG}?XrCfOp_G> zK;tyWII2|!ka5NUVrM--g1IV6pxbyBSPlL`xgA4J=9GrzTnw^Sh>-^S!zXbQ*J@|J`0Pu< z_S0Byu4m`s=UuFUIREf9;1N?dLBUj_*vW%$iV>6h7+bfH??Z6JIs&oV&`PHxc`UMA z_Ddaq&!YSP}8z5O2r;@#q5U-CHE*6O1T=j!`*C zu(KyaD(MnG9wUXI2hvsmnH*#{Fzs#GKdm}5B~N+k@;fOD$DuGnf3K@|gy`K!>TQeu z@Y$98!SSEjX~(KZyAOk9EllccUF~WCc0zKqO7ng_oQ^;J$$43>lLNc)qX+<#xDn6D zz`pl+XRLM=(+#iM&cJ*P#U5g0H`c%4Vk@M5@N+lCc^*_Mn*Dv#zD*un+|VgHy*$M8 z?bllKg?IF zl#5y>V5%B2Mb-;?RcUvkkX3iIlLL#W`t(p$a##bb9q1-F&+e`>=b=ms)wHO>v4F23 zFI0(b3X72J6F_p{h67*M6)9TN!vvXeVO|9bLJ?N$TBBMbsS+W^^wL#Ywv~j{CmY`T zlkH^8eq^0vZ|uE+0Jsq0u8dT3&XJI>z#zkrk%i6ATdNIQA^>FsW3)q%arNxqyi1VF z%C6-jh~&u|aB$;Zkc;z|TgL`ojWN4Akd%<68Oy5ru(+u*ISDq)YGnaVdP}Bo9AiYdl16UNMOIBN_~U)$`Uy?fCv zH9iucZ=$LP{DQz|V(|Hn+7*YsUxS{E@s(#q`mu0ZHDX^UOL$I>MDw>JQ-w;a9qt!x zh<|QGj`6?wl9bNXOI)X7tUl=1(IC*}6#~8=q&z&{htKsDnk+@4hX6N@l8IwZf%Fi6 z@5)y|f8Xdp6sS~ZIqP<8bMSG-g|S0|f9AN9Tgvxlo7-b_i3T|@XZ$cBV{lOQX987? z1cmJY#NGTna{|4%Q}J{NDO1zI($abkG4yXjK$Qh@%d}hKSLU28PN~A^N-h=VP*dvr@}Xl_v#| zY$o^4TZpr`lc$w6lAyj}>AX47+&Iacu%koo0k!rE^;gi@TdXfKFBU`lEQPhYsL+qI zFF4T>n}eZZ^Z9QmI4GrZu5prPp=x{NcL-d3HF zy}L7`QGY%12DM`~RGRo(;=4-w4l%KXBDH^F?Z$evc4bnrnId9pZcf+KvZ$DYXsSh7 z(5qKyVq^-}o;JlyF)QIWQV1A6rA9t6_|n+o5gLZ%?q62lzNN29-4-B`b!B-K|PzZgq?TpQ-_FXHdRGf~?%!KZA?Qgr?Oh9B1@QMINtir8T89;X5cH=FrK zV}{nb!9MR->Z~Zjd*+F*F+`faSR=A*OB9F`Xo5@i4iA-7YRDv#?6*)Ten9<93Px1p z6NbSHyXYz47aUg(UeGgl{9&ZoXa+ARq3%CX_=T{E=-1bz!pBE)qor>oSL0gvC132F zclHiVVGtZ*5&Ka^xKw0-X`2*4lo~D&rQ5AoUf5+Q50mAG)#xKsLdv45ye`g-b>(*T z5C^DZJ-y5H6JF^0ZOC&0Y%?`bZ|LD|kF)C(*;J$gLJ0I=vL$$IsTnG_A*(K-@XR2k zK!V(8fOy-o4mw@tv9clPBqQ8eN=Z4NI>pgC5m<%GA*;nC9{4fg4e@8j=zfv6D=!g=JMYt@uIvG9%E!Vmfn%DSZF4WFID_qvB$Y!G1GG$m-mC}SS zLDgjuJ$raJzJwsDUIqo5-o5kR0}!G;>@@@)La=A}hSe)9mQaLN}c z&N7xSHBJ{O*4F-^dX^9_@vhdWpq`NYZd6r;Ivm!gj7$@iLhQ28o)|rLuLx>>Py|O$ zOyiV)P^8txMnc(xX+qwEmbfP9vakk+^tB}F616|wxP`bew-*cI!rJP0Z$FA9b7O8V z8poBnF?SS8;u1VR7W!@oZP;XMdqcY2-81w64s#(?!pc|}OO8wHleRFGWKzn^AW|1n z!piI*nnUUDrC}+lpp=nO$Q~}GnAtC-KiNYW!6qo<=W046YEb%3HZJ3>3C_tBEW5JZ z)5qqb)hp|fG8Az~Opu_nif6>7rJ4) z*pJkRwD-^6dy_$!+lXTzE3@-pXVpR;M2!5hHg_|UKt)|dZqJzo7Q7*zz0AKch@Ak) zf|v|e(Cvn?R&G8b)TjGs2oki9+q2hKt+9%+g46`s0m4aB&&Fr1T5gA=JQI)*r7GL! zm$^?V;M}GUC67sGq(G9=_bcsF*{BKpNOJTrN{j?PlrtXYOFH-x%SEFXD3GLz_uzsT zRA8&&D@9477vL-;yyT6A&md}gZIJ?+?F<_OPSdX|5QeP=l4yJfo(aHSz=Hkofgkk9 z5?cnXNyPAq}S$h1PhK|n+IWz+mHMT{Io?ZH>Z0!CvC?z~#4#*PE zdVutuAzx$ksbi2-aJx&br8uE8?W~ccAMib{)~spoi5pLHn}y$qZ#zI6#a`5gPdWOa ziR{4-P2xsx{ycYJ@RPnNFCIc6S& zYcGhb!7N19+AbW|m>jdJDwZAFHeLa#`YR~|kcPB5x333bP5GE8&&O+k3Bm=seFzQa zDtSTdP}?d>E{fs)7dVp;5}_#A9Sr5@14EdcCLnMKm&g$dzZ#8sI;!}MJ73ls(pf|K zs%;GVqoEW*4Avo?HuqhkCSG1{!4pN!9b7`Q;BaaRg!<8*j+3IaDDh~3KhlvPY+2Pe z$Kxbl!4&QU3wcmK?Ti<4q{pZ#j6;ipt9AV`5lk{3zoXu0#Y(FnKq0&&_ZUXX%{+{C z$c;)BLS%CIRK{db<0WIg1}s64@0j6_c_VZEHUlJZB2(>Fdcz`=lWIAgUhN@XL?trZ zY+}?g4R~bcyU-4!cyG{DTmO6>CR^*8begS`E2w!h(Q%!2T9rfA_6n^!jg}iMu4yma z{ka1_&M_xj`?6%D=7`@*%S#I$Po|U{eIS9qp@_x0xYDWs+l%c?2_@2LgBtFODx{8} z#Y%0~bGx$3$X_v?-e^1uEXsC|+V;+FwlqB9AOlR&YVG3v`Rr|fDV=&Cit!Ur7P~9v zllg%k+JZpTsH0tXd$-%4!SY@+SvFPrha)T?iZsm)Wb@94+yzmfFf$m)PUQ4mDYKh3; z>@d`3Xj@aQj=B-qs9nh8aKbU&MghSWs1dQ!`>A&0qRi5ssES!>>n#4rdp{@$_)L4w zfMDF~rUXcNCVhOV`u~%(x&m+*wU?aytzRs@*1R5`Pq5lq>GKr(hJ@iH<4X*Pg!;}p zCiz&{JW4&Sh*ZTp*$nyHnY4+c45o&WE%NiahZF;ND4%xL^dgUoWwRNtt2mNOP- zg3L#(I6p4&Og$c{m)tXm7Ni4bG#qQ+3XE3KcsKQlSL}lU?Sk#-V&ikf2khNMK6xmQ zlEd?qg_;JF5*-c^q1r^5I2tqC?>u8b8-d+xtyPnlMGpDSVcbVXTx3hH;bz>f7o19? zu7w;xPsO+?Jl%^O0Ag+=k|FIc$Yf2ndqV^CusF|!vNbIRs4Ja-!yR(EJKg%M?K3r0HXW{jZF{v zKzYX7tRE6V%5L!nbklU5_z7D%I*5OrB&3`p`EE661$aITcrg{^e~CXrf^elbEF?D$ zIFuvbJ$(V0R~OM5yC|Wb^@+Qd@)HH;s67-GM&2zipScWzCK%T*{qz-3LtZJVkuLlo zjVbBi_$m9JAuGlOPReY#oyp2R#1ehADxh>+Eu=VS2c-1rY*|{|iBkd>TO#&>XJnB&kUj|rK~+~G%J@ro2MV@E z#U(L^(-*?7KhrKy1zNtJnmIZ;;wfITS`BMK036F_DCt#N->9f|eK{hZtLr}`NF6dX z_2@Re-e--VE}B2_A7o(8HKfOzkhI~iVS>Yeze$|% zWC63cL*cdn7fNWLtRN6#c$_wvxO8WDP}aBWN3(zjf9}3et#AlMyEF<4J!c2WKMyi) z592$!mEf!zTeU>l1$C_5=y^ug)F=+rLZc(IWdHz>(WGEGHVqf`Q3OW3ijurRX(7F{ z0vNu{?>HQzA;A7p57x0=JoAylcK4OJ!o%v&UEI*$0q+oshz%&^6(a9!yn6u$7K^`w z57*zgnFPI0wxJr#+)t*slH#pT*t``E*0#3(6$7=!_LFJaqFH%piB1hi0N58q-$8@! zrGrMF3mLhFkZW_{`EYZDx$^K&2$JY@?skghMqL!UP8w3qmCcp5HEx2Vb7o>>bvDWF&1|q6&(kfT_B5D z;ej-rWS)BzaU#JiSNMMo;YX6RJo5KL#zzuA^W1+H_JIWN|CCH}4KTR}p+}NT@^&ij z@wnYI@_Fum)Ek+5lGg|KL~;hX2V-PzNb@jPZQBe+ue%!Y089Af!V+U|{ z@}2%7__U0s2QBL?Ie855GOknE?XyS-4G(u=%!k^YIqV^gCLdU_JliDkm!a^X^q)@) zX}&zrA3Vw*SYUweFeC4DQVRd!;7D>Ksy*2fA_LGryeyQW_TlH9WBy7Ngq#ERdst^P zFuo`yB2^j233oJ?nz-dyExo?w*(G!aHC8TGW0G0RHJR}0jmlo3am)YOe0A>(8I6f{hJD8&3gtfZs=vKIkm=@c}FQY75c-Jj5D zj>hjA?rHp~3Z+Yc{QIbmrGJ&?!Pv+~w){1A*b!0oP`=oN*1x9`&^7zZihFGUg4*SdW|1mNm%iW&ANFd>!x(7=^sCGYyI3 zXIm6WdIKL1B^E5My}l*{VlI#w*!mJEJaK>aJW@NIcPHz|jSv1XGRQha1eq5aAJ`3a zO}4-ZGA8ZDljr3$D%(0S5nq^ET4<5#1d=56undxZnREu{bquNMI7XOWAWd~z5aXs~ zNv7$$Dy#cC#$c3q;$Rm5OpqYWl zq>awBU>ZoULb1{2D^W*vi#M3`$dgg9$Rxnw5m(oe?rNain1K&e>s4S#~cYf4csb-AVON+=>nSr;S@!#a3 z?!{*7avGZ3THG-qjr398njpoPo zl1fqTCADHgdgy-K=NU2$DeJxkZ=|EGlsaEukrYsyko#1KmCB_}$aXk`alN~PabeEE z{FCYWq;OpgSH@x@uJxkKoUXzva28}5lZ5(JrU{p?icQH`xGL7i*RP7j{!=8TWi4G58|80`COT0>~1!^dvk)TdND!BGnd-pcGyn%_IbH z*n%LNfe|MjEDk{e{h<7ikmvX=E}(p3GC?vWo&1m~l_7kp=^i;-4I4-wflq&^C!MBD z{cSm_tTHP}nBnM4fhN%ggz%`r5S}q=aDoY$OdDsA+LBU{DA|bEKG-(U`zt#8$$UD* zW+3Wb@DyWKoa6w8`AKm8XvtYaV_3g#TfYY*g|J#U4~VALPPd_zwKU)_zoa`gzYZbh21G0@ z__b6<#*QUXID+MZri7ekH8{`JDCy*#^iFUmWpYQFpq6;R4}@CBjK2Q)DzXQS>~XEP zN62`(A+Fw@!;#UGqv~OAr)yg~kI>$Y4cX!*G|gyQ-i=}u!kZTSdQr09jbdg~4Ygx+ zWxUVBt_}20Ne+Frtxm1i83V7@KiAC%>mwdzr>;*=pc`;}Vd=E(7aT?>a>d@0>xwD< z+me*-)>vFcy0~uLF6GM7YH2d{hv5_@!DeixrBT`p`XPr#JeyFSeRF0ayC&n-dYW-& z<PXR63ej}1b*m%U3uXXgP= z|2B&wqM)l*#D`aLMQ@el_qHD0^Q*1E#qH@sc`qAw*$-Yy@sI4eW<{@(C*i-PviK+W zZ}tZhi+HI3BW&V#EWtV#Y@$WHbdWI?$s$1p*f=ep_{$Sxkg?om@)>B%SH|Cv=RvUEi9zDk3K zOWpQgM+tUN95qe_RVf&X>Jfvd!qQJw1=HNK4J*Gwh+~d9BBVKdeQnd|cWVpL`netB z_2Fw_WS}QccNY&n`mj3D4$KhxnIDRw- zF%~ja5HMEiWKPhpA|t#q8u^u5Fw6O*5ypEtXD01@)(Gdb^8Y(drSLzl5~XlHu8?p) zs)h2{kUy@HNQ3`_{?CS-{}1{e8O)3Puo?P)-O>`QPZ^2X|1NVsVx~Erq*lyGMzdzyElX3VHxbT%l4$&?tu;kI{g8GPgs1@S5X~{6Hp?B^wt)D zId_{n$u$}JJw___z-~j?+=p-}lKlkKdM3ra@-2`HtiN58bXjLq{nK2D07AS48_W18 z1NqR;Y|vELzX1muEoj}@gBxuDsTC)*9<3J{(VdZjwi20(j?)?)aLK-w$2ungdF63K z;XJrdQ|_|W(?BY-l1Lj%|{%1BXg$Jxb-gJ%TB3j&xQ+@#3#X5~fP*&( za=UWr)Pbjm=m{7R?ZJ&@FmO{a!CvmEkx(X4-$$`QZ^e34xKiA{ykI(s4o$y(&@3fN zcsY+_`)$Ge&gV_FK1oZA!>Ag17mE=-i*5#E0kFFHq&viwVtQjeGA$qTFZXEIkT9pu z+#ihuG(IS{vg&qa^0EOP%~r@utAlByqW)9I&zIa7o#WZvF;yjOTJi{tBqI&j$w?Lx zuP@gVlmaQYLj$_EPMyj#F(#`?;gq>379;E@?4nvK2ke`XFjUQJOZiDnQxwWoCTgX; zRU~lYi@&6**j(5pP~T;sidQ7KZR=b*@`L`S!%hZ?j|R<$6hi&B5p5LdU9B!%_Z+#; zDGx76eX7V1m841Uq|3jbo;Wp477>6MQh6Z}s#&=>Twxj;Ir^Slozr+7pW;~fFETaF z`;&sqL&n6e5LV7HFO;}13_pItJ|A{8;aEr)F&4o)mwl#kEZm#a>{wWfb|fs9IvU}- z$xi-}PeOhX|IZ269-mz7^s+iB) zWuh%No!v@BV^eaI)W5|FFa2*pRoD*V11|mHsoC}USa$@5%q>R*8us==e174pY zC(=mWdTbfSE#%b|MZ-rVG8XVd!-0^1RgtmJ98==7?RBAp;EwjT)sh$+JhG#&+T^+# zaE-w?Gy1vhO(MEuv-`@C6d}S0llIVr{sAFf4YoAQ0c02sM6OPhOHp=a-e%LKINvPR zT!`CltR%1|(n=SS5Q?)HOVwYV88?aKK1rY2V;Ch4(}5L8eCoSPO}EZSY}+b!PaSD4 zO!`Xdg;X5@!dinw(?0Rv31g=ENC#=4cZK|1+KmN1WM416)GA#5EA!XC;Tkex`v#xfzCjm75`8E!4YOYN^xg zK`a8@(bk-}n*MZzy0W=LA|HRE{TCZ z2Ks{|M_E=o;=2wUjYB{?O9O4b{|JSR=XO1lzCa*ky7n@6zTxa2#%|!j|JPv}Hx@`R zp_X9f0bGNpA;faorC|$F2;qQ;DLITCi;FxlyCK*zB0GB~hiy;ES~T=tSf7d(WWm4U zp1hwK=??O(f+N#CSmMl-y#5q4yv0ydX1QyGmRU~Z4o+wEzD|%MFWLSlBX`hcm>Q2F zQ!SY5YPBmL-?%ETcxgfx_hO>Ks6f=G_ezkAL$fQ(-;m+bL%mxyM9fE4wa%;(NDZq1 zk<2wu|7z3!1!c_G_y>ZE$@nEG|JEQ&e{?68G*M^8hS_l#RXAppayg)8met92X!wL? z)i8~5s#b;dW!-5F=u!u=N|?ave#WGX7}~J{@VLCvAkm*|;E^HBQiC7V!2i(q{_GF+Bzg5}`a-#~dD5P` zLT_$o$&jt9DC3b^eaj}!^7jBiOUskye$~BHdq2?H)Nc&ifO0^lA;9k+v1>i#x!d3MPPpR{8-fpN z_EI)0#&6Ht?lelg@LKXLnUqN4nym&1|d4j)vWd)=gnOrhX8Ubsq@C0>h z!#e{JzHZYJDy`n;AAfBB#h-y?>SP1(j zqg!^I`s@)H$>{^1BC6iaGz8*!WQ9-0SXk|@RE;mQ#vEifMbbW~S^{o{%k4>~5A6?q z(~Ys#!ht3kt0Z#VI%&eMq^?@ zp}YN1X^Ok6JV`AWsq7XMn&(yj_~c=|*fX3H4Hbl|I{S?3hvx&cF${GS4Ei=8dM5FA z7GY+gYR5QZo=#RRh2EzHXi7M)yKajgO7;o4{@`e$&L!m@ruEtf|Q?N^;%nqZ0CvP!xSM^6WOHpJq%d5Qw>D{i***ge9%Cn+ya zE225wN-=tUaDb8DEvIIAib_tmOCGDjzOM!KgE?6pE<`ryn&R@hv4R%_Ce`)_AJ~pT z<~Bz&lNY~?X(DdoP#m^|12Yo|^@CJzF2!5_(ks)$6aMk(r{eg0xj|e6*K(0fOanZd zLuqP6a`9F)Axup5r{^8e#mj32aY-RZZt=!P`n0Spb*6Tl0k@=Rr)}yxv5{RuxOvX? z9S1+W4WS_6UHy35^EDz!RRx+3^aAH#eB}+ zmrSe4nasZm7Gnlf*N!bpcI-S13=E_Um<+HCfNJCOkF5`8-WHeG(ywk-Q$y&f@QV^d zt&h*2gJ*_I>S}-e;&>{>2nfS+(1TJKX^I>6#dvw+Cx;v-MjOFdW~Ez2du-sJyr=^h*dC|D#PN|X#fEs+ zfi5XUcU-x-W>5h!mkotH_wCAbNWpmTkl%ruBwnq~xPY`rm@brW2lI^9g?0DJG*g*Y zWbCnB*c##)P9=ezKbqc%Y`Mi>QvXb~*T zRUpfW(YWSM<)rY;%D6LNjQzp8OLCn}11rwEW#%53NQO0`I*qwLa|Gy!X?{5H-Hu#^ z!=ya~(mCkCt!C)fri)SNsM~pSx)RTQU&m>#7NyB;tlb1?N1?UyKF78M@lfP!j96*0p;%@-|udxfW(S$#D;^A-^ zFcRzqY7;5I^%SRlmFsK;v@eG1acwlX#Z$25t!w|F8YER~b?!8c0MD4p1I;@a`qDx8 zRITEO-tKTTBXkjzt>9hmxGE((DUW@qP`vDyOlw$l0{2+Cq0dfsul+}{SUOwo;WlI` z0b()nZ*7uufj@S!Zk}tZauxZCfn_vQ)RDOy_sV#}waRl_b;J}P3o%(H(qfZhLfgk# zD1~$edWv^$Dp~O)s*cL5wl;k(D`t$DAkx4N{~tE#H&fD`CVxKu$k&N?=vf(k65at4 zypK`n1qyRmZ{4m$HslxXp~~nL6;fbI)EA5%$qEFCO0kJ>`W(}S@Nr+~DCN^FsM2)^ zE7rwJlI3tupmvO|>dxM90CwV^@6+4ez(ca_xsE$nNIOQ?<=V(fkT)Q-cR-vOy!P98g7X0EG#U2+}czoIu-N1vA z3>R;`<`y^FGXgaLP>dk`lQXd#KO{SPJ16&A+nw~x)^6`qGlzu*Y1w8KbLDm?8Ef1L z@IVt7%}8bZ#*W3bFeKlTQq~=`^ok+TNjTLQ;dFS{*HqzE*a*gbHlW;8V_AZ^D8x}J zmoJ=g%d#O;Rhm}7@biVPuw40jx_*bdjr<~TFT_1 zh2<@ae(QhaU5;Bp5lWNzeuH2e9j6yPg!e$o;wPnbP$k#mAf}rJlCAWOTfPo2+D#+~ z$Pa_-mUDg_M3Fz8MbVKV&@IH2mJ5$8u5f1QF|ImNAPa>)vLL#nWU{-Mx}Gzz{|c1_ z4I5_Yh-#nUTMA@5)uC!3rX=#=@$N!{b^-@MaG&8#J_!QIezgWLos}g7H9jN)Tfsim zGv*Gjgi5x(sd--6TpwCi6m=$g1{!yd6$mA-(>DS}J*~y%Gdsv}-qi@4u8KGy?T6m}jmZHX&hq^Qe z^Knl|Wr`zvbphz%d>$rKHXC!JiMvGwIM(LK(?|;h@W&p+I3iPY!1_f8`7*}UuBJc_`ebS+EiOx^%l>7F%^PNfM`?=TX!MH`;*KNVV*WVo=G zLrYRw#_!HFh_Xex3y3lT`Tw!V0BUv~{q-1+hU~*Q61Dv@+7Urnd=F-se2a6iYPZRGvx~m|I~t^ zTt*AEZ|Kx=RE{Z}*pmPr0LmG3XExkoxy=ZD#v$u(qC7N8$` zXh{>}g=AF5Fm|C_T$PY?(y@CE6BS{~AhofD9A+WUMXzF(sc9@yYGGD5NN~_j8>lv` zci2UD@b4MN-%`!ONx=yi_W;*21MC3qa!-k?*dxG^ib4+&cS`I0oi&eDNOP4J5O!(> zC*QgvC1b2CFKTY1iC}Gi!74Y%{AFNFrkGJWA9}C4@$SiR8vA2j-bv1}(~cz%5x3mq8=!gqswyH) zpq6(iR?xK$8xTmnVo-8Jru+#;JD8uCHTr6@dk#>oh+ccc6BFUFQv<2tN@ol#w`J4% zS7yK{Reh;%+Qa>+!!+l1ItL>cPLwZ>|k;|?w!zz9MVJ8Gc*b|~JG zU8xHoYxtfv1Rmef-vYfIjov%l)ZG5?1W^*etGBpy#l=@e9$RnIXi?HNd$%Z_2b3Gr z8ZNHH7~wyLAm7Gv*JldOE_kmPo8ae;Eo&wV5^Z_vGiww(Aa!?YCI7x&1W!l!c`LjN zDIYy#yOgR`b*}A2gffeb1Ab|Q6N=k_SG@NPy?V6&Sb=c1ErpP>@3oRuGeyf97(=#( z^5pjT$sf^iod&oGh}cJ?u#|6T>@r2M+cmWmjzQX^N<(zX8+0?I_bm5aef-foGMgu& zW9}UOOF;y5;AC;%hT&vgY7m(nMJjA_n!7LK6cLcnIt86b2k5&;gf!5;?(hN|*VARE z_K}Nc870lGnx3UW`sI1@J#2FGJAd`w$)<`{_y!3?Tj9dtzlVb*7Or1!U>6i`%<#efC}yL%jb zO2DeNAX$Bf^r5P8$u|XraZMbQP}%d0cm2C^I|CZQV~LU-H1Xe4)Up z$-QZnYNC(Iold)pA(>8UFmhK%#QrTqXsS0W155FJr)Bd}UGAc2?t)tT`{kk43-0e0 z4}qZcwM0t4Ml7Y~YuiOR7+FJ@_~ppdg04fY`Moj51bIJ{QlUrH{0bJrtn#aIY4{4JMV+klr!fDpe|jss$hU$`#d* zCJ0?CrQR+3nhxJ2M?0r^E0l#DlV?<1;p07P@Oek2{W(z6x?#aaHX9;7)G3F*Fq$69wo{*iI}pO zv=cUJGpCrz?<@^A&4%!8QZxpK8o+UoziF_3Tx1G12n5+utt9s*T4UMgytKwI^|}c+ zpsQ;C*<~JwbA5g zM`GK159u)BZg<@u?zPYQZ1n^-@2qaTDi^~Q5YTUwql{`C?X%8=+WF2ddQV`A%bo~~ zskSgQ$Q6Hbz%V!p+eUm*ve(h3KR`u>4(C7+X z)f>W5V7L!?FHpa^CPhEFu_tq`k|;$pGfc;T65vMnhoFbzUAC+KrlZIA6$n|nl)~*2 zdomiix|$CseZ#d`vEQ&ZKb%83^HMaxGgYH_V@%-z|MVX6!aS5@^N{8Aw=T3B*iE|b z?RLc-Dk*iG#tu-!4DpA$&K?#alMHnTvko35uzUxwsIMo39Hu1g4LS`IqJ$ShBtzMh zhQ|kuq?(R`gf@zM(ab}MMB9`9%1sAg;6}005$LS!{k`LJDo{&IX0O=p`IcCuX)F#l zS3JAR0X$pjg#Gu; zJLD*j8uN!98m1SoDOsfH)bGq~xnD}H-qo8b1njB1Z)M13&*5aS?Se36+@@G5Ch@4> zznzit1?5{NA!ym@*m{V((^v_&-*MArmLZ$!?v<==`63q8ef^n>ow6U`)L zi4i`JyjRPL!?7cAZmI!18Zo1aBGu0hm`1eOMexKe*{6Azp%eP+ovPk| zo?K;G)zH|LhJN0_4Lw(!9(3lIUNb#VN9{6lqH%FqAedJaPNc`|htb3pE>Mz7Ep5#fZ$_YGML zx>tlO_NISeM4_h}b!g{-{WT%s_xQ1G# z(v@@4m9yxL1michTZ3ypALwaM;I$=pf1|7$Cw~tK4=dNF2Qrr83m&_~IlF7lLCcXQ z(1O0U?Lt#FdP2XK7>gY$0Q*lmT7zr92lNmx2r90%&eG^^AnuK_U!tuRImeYUQ3iXp z>Q0-}XAo4)U>rI>-D;M%J^m`Q)SjM6Mf5=J^V}Ej&Bb)DI5;3c9mkJwd+wif6WZ)X z>>HKRQib_vv*E*)vz}^6t&Cs=Q1iNp34|jX5qO8;XDbkShx-0}CVXv{u>Q;`7^>P$ z(mSI{s7vInjeey2XgtHy(^NDI4;w&+q+97&%%IJ(V7r}a|UR+p-bgh>**AD_xolfR*YO` z2M4}jc8&!C%ha&1=|+{Wz}DgkwCpIR-3&%2`Z;6-I&K#*8HLd&ji^T8T(tbt1Ap+M zKl_Se*PXdjkbgLImf*;3ubH!P)nK&LNZ7h&Elm{%G3uiG9g-^jv>SD^GJ1berg-JV zBsyRZMIOg_W4Uxr=G@%grpwMx00r9Vr+ln~U~tRrLt6>mB@{$yX8lgC8nwCE=kAVD zB{S=pCqjwC|aK4FgzA$XXYz{k9@9wj5q!z|ZbFL9{~fb4{Q}dogNM%5YkkV#!~LcfAuVrBN%kZuTgbkb301bk zBh?QkRP)W?#kRdE#AIanMxyv15Q`9v)tmR42y`kG6K7TB(gwq~wG3~40>)^7q1aM* z;y&9)8~0DJuOr?^F;0lvKK!j?^dq|i;-BGOhEcc_bpWrU4Qrv2IT|tEeJ{;em@iS3 zRNBtEvjcO>2ye?%pEY}z+pJEi%t2k3{p4fmB_Y*aOx{bK4f5$gWT7*@^R8n#6UF^0 zdfA)PX9T0UZ%Z=!X=WkDE;qD2gHqB|nCk7`z$%okZ!@&uF60sIcn2?Y1?L7cOxydWbRAO3ZY&jJw`BvTmGt8|faCzfyix z@&Z2C#H#S!vz6Y;_*FA~Yvsorfwl*|lP_ZlsM#69UI3H7M;xkn{U;N}u zo%c}fEvXE7614kbmho0ISY^Oz(%k^?8H5OOU^4RBeh2gs&6@IrSEzU@)3sJoQ zgcjsACn*XG)wtA%XB~SLB1#sj32&_1@*4{80r>UmyQZsz+7CqD{kgY3O4L_mkSqGN z`t^~n{tUw6Q<%E6ikGZEJM5IKS){!MEq-JMk+xV93*`cNY`5+O#vmH9mgP8qy27%a zwHltX@k9YA{v8@Ehxuv2kyCg!Y(j3hn@m=df6C7R_SR?VTcMSv{o8n^i{lG5wVa&( zujA3ZQZ!!aOcV1oqH6Ho-`?_3_$~S^J8t)J8u;RD80*Afsr=#4*CmR9updVEq^;U8 z`ks&)S5|M`zg>&fu3I2G{d-*d1xonah?Y^8a5}$yYo&d!qO;fcy9GOJrvhE zNNwbw4NTs zN$dckN*`Cdkb-9)5oRsWibD_VpK0J(NW%8gWi$%B2`G#TY9-OW!4K88rVzNr#cYvc zrDRwaj5Qy3!LTdlo zQ61KmQKr#j<@?oL|LC|d<6t7hr4w;-nf!iYI9@&+(C17hiIDx}^ou|nq`b=7kI-Xl z(eBDM5)>eOrL4W{r~QPdotka`H4^X*yxoTeBR_Jb8uR-tlp`=b`f7@ZT(deUc9*Y;t`t8B3(Up7LZwXIvR%+dK&nYJxTufIw_>a2+ z>T<{h3biu05p<2@W3m=$5kPeO)lx@XBl5j?5j_lzM3fawjIpWF>@!} z)Py?Q^jup@JfCkw_!6nbbAsx?c^yPz8Btm~?cs-8q<1q$Cq6Sq;+1BdcO%Z>Nsdaf z58&~;yxB5#-t9Jw8Ve}6hW_jzuLk7nzO*1^0H&X!tZuV=BvYy1l{B`pippB%1OrgT zccTz)E?HwvMK7*Mt_m+S*mqs@2FTZD`V_kq6h0#C(!C9X3a-AboAK`al9ax^Nr&j9 zv)UX|c&2;c{or}fR-fixIp&p8Z9r%8r}Z+w6`WRMAcba-My)akJYoINJbQ1g8-KVO z#1N?Cwui2$ayi?O7K(*pV1sEnkR8K2m;F1taD-lbPz?NB*?9$2)3ocme>p2Y|C(vc zRpek&*Lk;g*YN3w1R5_AH&FFm_ftk7ZtnCa{5neJno}dd^08+l&x@?Pw762cSvW?JXQOT5)n+}Z}-b zLK?kp3^521mx>w8F<%_)->`AFKzbfL(Zq&^e=KRze>0isK3AZ=Qy)5}lS1E2&{?f^ z`Q+_n8-&Njj7m-!7ura(Q(A*;A{Zo!4*??EoV9aGWLw2 z+eHWjZS}gp;h=^VlGXTL>--IX6iChoFowyI*Jw@@;LxJsCjO_ojQnY(@#q--kLo3v z*Zsl$=09hzc?hZz&A(W$2r8~0{eO6cfVS6ZPv=K`2&&?b^RXW|o5V>to6DL%&K-HA zL+U)|Vp9m{d?hMzHtPpaaka0KQSEuk$!Af8RKK04WhA3?-=?5Y(?fcy(Y2_26AHxd zOLZYVlfT7F-u}V89`oTd&{_Msh0WTZZmMqdS@zOkZf#{`KnI4?Y8#reik>!IOM;NE zFRiN+FdZHp7xf;I#PK1qL*QO7--W~7J!d+Q<$N*1sLZFs<;S$FtTYp<<8K=W=eTfB z#aYABxkRK!hLSd+NaguM@z`(6L;()(VEZ!fexb-1O|-~M2I>E?uWUKll;0O;E+WD_ zrei~N3yxpss1iEz!W>cwuklr$N?}Ehc=~gNZevmOAa8%Ct(VFQo9vxcp}($ou!=8< zjTm(o$R^b4_8ZdsE2zd2#5f*(O$TgfkI7stFrN+-!&H1wZo5tuMh*qew$%cDbXip? z!G3$ai6I-KZbVIubrt*-XRT}M5~ZcaIF%+*=K_%fBu$>@Cu4rr%_%OB%|qRnGr+oA zU3Mw_)F`L1gwtwZKHK7T9Qlj$07)NL>sKb=y_mWn?|oBMsA>=NQ!=xumV`V7$9_F3 z@I@N*cKUSG(kQ=L{D8S0se$X_xi0js$d><;D`x6%^TVu^-y68m`ylC0i&(ZS4k){k zy{COh1cD(KEDmrouQHHV!?~zS(1e*TbAlJ%R!VWm!;vBb2&{K0@kl2RUkb?=nLSOW z_=2hoQJ2wG#1aUpr8wN|6`8Fl3qN#a7Auel$zpnb?>OBJEs|hRM*U6|92B#ry7puj z!f0E&@3C;U-Zx&bsY%L7T(yT`r>YSp{Bo?W1`SUM5+%76QAD~!5;f{QJLcYXRAz|Z;HzFg(Lqn zR~T*6f0+e^?ZIOTnaTWz(8z$jt)Z_AlWhxD-;^^Y#?(0)!>bU$VU{mxiD~1KNrbWH zZ3=R%cCKuX+gA9razV$OfNyzM0`=lI7kMTyc3>wZn4!Ft3q$0l=|i0K z;VK9pu`*cYIxb|%|D7$ zbiRiW?@axfVMSOF+;18FQ}Twk__jD@YQn4N@5GQrwfi+6bceDc*LP0a!zkN`$Rx+- zugj{lC=;aOe=OSaq*>B57T zUp98?OBiT%0Ppn7qZbPGMZ0@SLcI${3wa8Eom!F!40-C#Qf}$)Ykw4Dkv@J%cmtLM zYYykoJQa_H9-HLg*1ZTz4#TuI06X?G%$5^`0*JhS)F9=ilEDKzaxG# z)D_z5xYZP~%mmD8`5(~LJh5`y8T8Nalm17X3|{tYWc`P`MZ5n2e~Qf}$;_6MG}dNl z9SP82zG|s9apiW#uJz|mGn=iZ^_$icf81s$FmL4+N&$QV)~?*53@3T7 z!I@c)1b?I*d=}!6jedxsbHc>g#2x$?J5NOSj1(nsjgi-S+>Ov z@)_|k7e%GNGjIEGz)O1X1UDn6Ld;{-?~eN)Aiclx5Io;Q{?GBc)Bk7gnr(FR{KvA~ z@Q=-SO&tbN%VRwESZ-jK2KwWwq?H*pS}G z9Zx}gtolrGkl(+CB~lV@?fzsob#+;NMR2_32p3Asu&Tq-(B}*sO|Bx;IOLaSOfokw zlBLpN-Ql7aTR@{AYOf2&1~}5pj!dm8wWY7oC`$O5Zs-Bad<1{(85VvM{IxHu?tRZ- zc38i)8f$_163YRcGo1N>TWdd zN$(cx^s<|(8O^BpliGisDD=1I!=_eR60!%#@b}tX(!#^H^Yw<{e=gKir|*#4dr%E^ zWXA^0BQnl@wX*pjzawaLs@;N6am!*iAaCVmv$yd1W2CgUhnB*0z9zkK+7(TvSEGa)3PtJu=8DP=LsBg6w;x+=y(Zv*RSde)59bdK1qdqB9mIamV+t9 z4LlH1rZTx~Z&2nteI;Ji1<-LW&h>j%JZRVeCqOsbOOu3(K3RUABhm76j&2j*+jNsi zajJEWWtgg zU?Xa-6Wf8D)TOKvm7OrfIjRLut%g%KwWs*q`)3X%zAQpqC#jN5l|i)6gm^HyGxB7Zg+=+q>uNVGVT41xNwooRz1#fd{YoZ8&0o}WRU*42_bH%=+dQr2bq zGj zp;fs2xR`J|C}yi0J^m3Qp7JPA75N>t;NIerC~StSX=??^__gD9RD4Ih?(s~rbZPJO zRap0uQAg(fso=}-0;ZliX)ADbxm?~zVM?&|Pu#!+trYaoE?5p|H>3?I%oF0$J^0C_ z!D1`o**)-FbYzR4wbNm0Gg%#LBWN^_^EV7D!k#;3rb$U*}1u54HFpc(FCgwRRyb#=?G1f_YFN@;L< zV46ewoQ8l9@!etG7?uyXrN(;^ZA(c6lf_0RU1D7U81G};i)LkIsAbjgzA85fX^cqu z^MJ9M#f)o}HU2NUVhR4LNr{O4sdMX}a-9HM-ab9%nM>lvw*KTY4ciSVj>-ACvvz-d zwn?D>GuMq50h3p9&mdu0V5j91Uj3k2Su0J!BiPI9;@PNP>taFHw}YOyDC7u8Xro%K z@t2~#eMaTy4fLtX<785DNYzx>6M>KP+F0#;_hoqv)=F@py69{YNwFa$+2!L>KYe%~ qZa}\n \n Wipe & restore\n \n ']);return d=function(){return e},e}function p(){var e=b(['

Error: ',"

"]);return p=function(){return e},e}function h(){var e=b(['\n \n ',"\n \n "]);return f=function(){return e},e}function m(){var e=b(['\n
Add-on:
\n \n ',"\n \n "]);return m=function(){return e},e}function v(){var e=b(["\n \n ',"\n \n "]);return v=function(){return e},e}function y(){var e=b(['\n
Folders:
\n \n ',"\n \n "]);return y=function(){return e},e}function g(){var e=b(["\n \n ',"\n (",")
\n ","\n
\n
Home Assistant:
\n \n Home Assistant ',"\n \n ","\n ","\n ","\n ","\n\n
Actions:
\n\n \n \n Download Snapshot\n \n\n \n \n Restore Selected\n
\n ',"\n \n \n Delete Snapshot\n \n \n ']);return g=function(){return e},e}function k(){var e=b([""]);return k=function(){return e},e}function b(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function w(e,t,n,r,o,i,s){try{var a=e[i](s),c=a.value}catch(l){return void n(l)}a.done?t(c):Promise.resolve(c).then(r,o)}function _(e){return function(){var t=this,n=arguments;return new Promise((function(r,o){var i=e.apply(t,n);function s(e){w(i,r,o,s,a,"next",e)}function a(e){w(i,r,o,s,a,"throw",e)}s(void 0)}))}}function E(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function O(e,t){return(O=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function P(e,t){return!t||"object"!==l(t)&&"function"!=typeof t?j(e):t}function j(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function x(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function A(e){return(A=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function S(e){var t,n=z(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function D(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function C(e){return e.decorators&&e.decorators.length}function R(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function T(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function z(e){var t=function(e,t){if("object"!==l(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==l(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===l(t)?t:String(t)}function F(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;i--){var s=t[e.placement];s.splice(s.indexOf(e.key),1);var a=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,o[i])(a)||a);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var o=this.fromClassDescriptor(e),i=this.toClassDescriptor((0,t[r])(o)||o);if(void 0!==i.finisher&&n.push(i.finisher),void 0!==i.elements){e=i.elements;for(var s=0;st.name?1:-1})),this._addons=(n=this._snapshot.addons,n.map((function(e){return{slug:e.slug,name:e.name,version:e.version,checked:!0}}))).sort((function(e,t){return e.name>t.name?1:-1})),this._dialogParams=t;case 6:case"end":return e.stop()}var n,r,o}),e,this)}))),function(e){return S.apply(this,arguments)})},{kind:"method",key:"render",value:function(){var e=this;return this._dialogParams&&this._snapshot?Object(o.f)(g(),this._closeDialog,Object(i.a)(this.hass,this._computeName),"full"===this._snapshot.type?"Full snapshot":"Partial snapshot",this._computeSize,this._formatDatetime(this._snapshot.date),this._restoreHass,(function(t){e._restoreHass=t.target.checked}),this._snapshot.homeassistant,this._folders.length?Object(o.f)(y(),this._folders.map((function(t){return Object(o.f)(v(),t.checked,(function(n){return e._updateFolders(t,n.target.checked)}),t.name)}))):"",this._addons.length?Object(o.f)(m(),this._addons.map((function(t){return Object(o.f)(f(),t.checked,(function(n){return e._updateAddons(t,n.target.checked)}),t.name)}))):"",this._snapshot.protected?Object(o.f)(h(),this._passwordInput,this._snapshotPassword):"",this._error?Object(o.f)(p(),this._error):"",this._downloadClicked,r.n,this._partialRestoreClicked,r.s,"full"===this._snapshot.type?Object(o.f)(d(),this._fullRestoreClicked,r.s):"",this._deleteClicked,r.k):Object(o.f)(k())}},{kind:"get",static:!0,key:"styles",value:function(){return[c.d,Object(o.c)(u())]}},{kind:"method",key:"_updateFolders",value:function(e,t){this._folders=this._folders.map((function(n){return n.slug===e.slug&&(n.checked=t),n}))}},{kind:"method",key:"_updateAddons",value:function(e,t){this._addons=this._addons.map((function(n){return n.slug===e.slug&&(n.checked=t),n}))}},{kind:"method",key:"_passwordInput",value:function(e){this._snapshotPassword=e.detail.value}},{kind:"method",key:"_partialRestoreClicked",value:(w=_(regeneratorRuntime.mark((function e(){var t,n,r,o=this;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(a.b)(this,{title:"Are you sure you want partially to restore this snapshot?"});case 2:if(e.sent){e.next=4;break}return e.abrupt("return");case 4:t=this._addons.filter((function(e){return e.checked})).map((function(e){return e.slug})),n=this._folders.filter((function(e){return e.checked})).map((function(e){return e.slug})),r={homeassistant:this._restoreHass,addons:t,folders:n},this._snapshot.protected&&(r.password=this._snapshotPassword),this.hass.callApi("POST","hassio/snapshots/".concat(this._snapshot.slug,"/restore/partial"),r).then((function(){alert("Snapshot restored!"),o._closeDialog()}),(function(e){o._error=e.body.message}));case 9:case"end":return e.stop()}}),e,this)}))),function(){return w.apply(this,arguments)})},{kind:"method",key:"_fullRestoreClicked",value:(b=_(regeneratorRuntime.mark((function e(){var t,n=this;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(a.b)(this,{title:"Are you sure you want to wipe your system and restore this snapshot?"});case 2:if(e.sent){e.next=4;break}return e.abrupt("return");case 4:t=this._snapshot.protected?{password:this._snapshotPassword}:void 0,this.hass.callApi("POST","hassio/snapshots/".concat(this._snapshot.slug,"/restore/full"),t).then((function(){alert("Snapshot restored!"),n._closeDialog()}),(function(e){n._error=e.body.message}));case 6:case"end":return e.stop()}}),e,this)}))),function(){return b.apply(this,arguments)})},{kind:"method",key:"_deleteClicked",value:(l=_(regeneratorRuntime.mark((function e(){var t=this;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(a.b)(this,{title:"Are you sure you want to delete this snapshot?"});case 2:if(e.sent){e.next=4;break}return e.abrupt("return");case 4:this.hass.callApi("POST","hassio/snapshots/".concat(this._snapshot.slug,"/remove")).then((function(){t._dialogParams.onDelete(),t._closeDialog()}),(function(e){t._error=e.body.message}));case 5:case"end":return e.stop()}}),e,this)}))),function(){return l.apply(this,arguments)})},{kind:"method",key:"_downloadClicked",value:(n=_(regeneratorRuntime.mark((function e(){var t,n,r;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,o=this.hass,i="/api/hassio/snapshots/".concat(this._snapshot.slug,"/download"),o.callWS({type:"auth/sign_path",path:i});case 3:t=e.sent,e.next=10;break;case 6:return e.prev=6,e.t0=e.catch(0),alert("Error: ".concat(e.t0.message)),e.abrupt("return");case 10:n=this._computeName.replace(/[^a-z0-9]+/gi,"_"),(r=document.createElement("a")).href=t.path,r.download="Hass_io_".concat(n,".tar"),this.shadowRoot.appendChild(r),r.click(),this.shadowRoot.removeChild(r);case 17:case"end":return e.stop()}var o,i}),e,this,[[0,6]])}))),function(){return n.apply(this,arguments)})},{kind:"get",key:"_computeName",value:function(){return this._snapshot?this._snapshot.name||this._snapshot.slug:"Unnamed snapshot"}},{kind:"get",key:"_computeSize",value:function(){return Math.ceil(10*this._snapshot.size)/10+" MB"}},{kind:"method",key:"_formatDatetime",value:function(e){return new Date(e).toLocaleDateString(navigator.language,{weekday:"long",year:"numeric",month:"short",day:"numeric",hour:"numeric",minute:"2-digit"})}},{kind:"method",key:"_closeDialog",value:function(){this._dialogParams=void 0,this._snapshot=void 0,this._snapshotPassword="",this._folders=[],this._addons=[]}}]}}),o.a)}}]); -//# sourceMappingURL=chunk.f60d6d63bed838a42b65.js.map \ No newline at end of file +(self.webpackJsonp=self.webpackJsonp||[]).push([[4],{178:function(e,t,n){"use strict";n.r(t);n(39);var r=n(9),o=(n(80),n(0)),i=n(101);n(33);"".concat(location.protocol,"//").concat(location.host);var s=n(77),a=n(18),c=n(12);function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function u(){var e=b(["\n paper-checkbox {\n display: block;\n margin: 4px;\n }\n .details {\n color: var(--secondary-text-color);\n }\n .warning,\n .error {\n color: var(--error-color);\n }\n .buttons {\n display: flex;\n flex-direction: column;\n }\n .buttons li {\n list-style-type: none;\n }\n .buttons .icon {\n margin-right: 16px;\n }\n .no-margin-top {\n margin-top: 0;\n }\n "]);return u=function(){return e},e}function d(){var e=b(["\n \n \n Wipe & restore\n \n ']);return d=function(){return e},e}function p(){var e=b(['

Error: ',"

"]);return p=function(){return e},e}function h(){var e=b(['\n \n ',"\n \n "]);return f=function(){return e},e}function m(){var e=b(['\n
Add-on:
\n \n ',"\n \n "]);return m=function(){return e},e}function v(){var e=b(["\n \n ',"\n \n "]);return v=function(){return e},e}function y(){var e=b(['\n
Folders:
\n \n ',"\n \n "]);return y=function(){return e},e}function g(){var e=b(["\n \n ',"\n (",")
\n ","\n
\n
Home Assistant:
\n \n Home Assistant ',"\n \n ","\n ","\n ","\n ","\n\n
Actions:
\n\n \n \n Download Snapshot\n \n\n \n \n Restore Selected\n \n ',"\n \n \n Delete Snapshot\n \n \n ']);return g=function(){return e},e}function k(){var e=b([""]);return k=function(){return e},e}function b(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function w(e,t,n,r,o,i,s){try{var a=e[i](s),c=a.value}catch(l){return void n(l)}a.done?t(c):Promise.resolve(c).then(r,o)}function _(e){return function(){var t=this,n=arguments;return new Promise((function(r,o){var i=e.apply(t,n);function s(e){w(i,r,o,s,a,"next",e)}function a(e){w(i,r,o,s,a,"throw",e)}s(void 0)}))}}function E(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function O(e,t){return(O=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function P(e,t){return!t||"object"!==l(t)&&"function"!=typeof t?j(e):t}function j(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function x(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function A(e){return(A=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function S(e){var t,n=z(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function D(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function C(e){return e.decorators&&e.decorators.length}function R(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function T(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function z(e){var t=function(e,t){if("object"!==l(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==l(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===l(t)?t:String(t)}function F(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;i--){var s=t[e.placement];s.splice(s.indexOf(e.key),1);var a=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,o[i])(a)||a);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var o=this.fromClassDescriptor(e),i=this.toClassDescriptor((0,t[r])(o)||o);if(void 0!==i.finisher&&n.push(i.finisher),void 0!==i.elements){e=i.elements;for(var s=0;st.name?1:-1})),this._addons=(n=this._snapshot.addons,n.map((function(e){return{slug:e.slug,name:e.name,version:e.version,checked:!0}}))).sort((function(e,t){return e.name>t.name?1:-1})),this._dialogParams=t;case 6:case"end":return e.stop()}var n,r,o}),e,this)}))),function(e){return S.apply(this,arguments)})},{kind:"method",key:"render",value:function(){var e=this;return this._dialogParams&&this._snapshot?Object(o.f)(g(),this._closeDialog,Object(i.a)(this.hass,this._computeName),"full"===this._snapshot.type?"Full snapshot":"Partial snapshot",this._computeSize,this._formatDatetime(this._snapshot.date),this._restoreHass,(function(t){e._restoreHass=t.target.checked}),this._snapshot.homeassistant,this._folders.length?Object(o.f)(y(),this._folders.map((function(t){return Object(o.f)(v(),t.checked,(function(n){return e._updateFolders(t,n.target.checked)}),t.name)}))):"",this._addons.length?Object(o.f)(m(),this._addons.map((function(t){return Object(o.f)(f(),t.checked,(function(n){return e._updateAddons(t,n.target.checked)}),t.name)}))):"",this._snapshot.protected?Object(o.f)(h(),this._passwordInput,this._snapshotPassword):"",this._error?Object(o.f)(p(),this._error):"",this._downloadClicked,r.n,this._partialRestoreClicked,r.s,"full"===this._snapshot.type?Object(o.f)(d(),this._fullRestoreClicked,r.s):"",this._deleteClicked,r.k):Object(o.f)(k())}},{kind:"get",static:!0,key:"styles",value:function(){return[c.d,Object(o.c)(u())]}},{kind:"method",key:"_updateFolders",value:function(e,t){this._folders=this._folders.map((function(n){return n.slug===e.slug&&(n.checked=t),n}))}},{kind:"method",key:"_updateAddons",value:function(e,t){this._addons=this._addons.map((function(n){return n.slug===e.slug&&(n.checked=t),n}))}},{kind:"method",key:"_passwordInput",value:function(e){this._snapshotPassword=e.detail.value}},{kind:"method",key:"_partialRestoreClicked",value:(w=_(regeneratorRuntime.mark((function e(){var t,n,r,o=this;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(a.b)(this,{title:"Are you sure you want partially to restore this snapshot?"});case 2:if(e.sent){e.next=4;break}return e.abrupt("return");case 4:t=this._addons.filter((function(e){return e.checked})).map((function(e){return e.slug})),n=this._folders.filter((function(e){return e.checked})).map((function(e){return e.slug})),r={homeassistant:this._restoreHass,addons:t,folders:n},this._snapshot.protected&&(r.password=this._snapshotPassword),this.hass.callApi("POST","hassio/snapshots/".concat(this._snapshot.slug,"/restore/partial"),r).then((function(){alert("Snapshot restored!"),o._closeDialog()}),(function(e){o._error=e.body.message}));case 9:case"end":return e.stop()}}),e,this)}))),function(){return w.apply(this,arguments)})},{kind:"method",key:"_fullRestoreClicked",value:(b=_(regeneratorRuntime.mark((function e(){var t,n=this;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(a.b)(this,{title:"Are you sure you want to wipe your system and restore this snapshot?"});case 2:if(e.sent){e.next=4;break}return e.abrupt("return");case 4:t=this._snapshot.protected?{password:this._snapshotPassword}:void 0,this.hass.callApi("POST","hassio/snapshots/".concat(this._snapshot.slug,"/restore/full"),t).then((function(){alert("Snapshot restored!"),n._closeDialog()}),(function(e){n._error=e.body.message}));case 6:case"end":return e.stop()}}),e,this)}))),function(){return b.apply(this,arguments)})},{kind:"method",key:"_deleteClicked",value:(l=_(regeneratorRuntime.mark((function e(){var t=this;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(a.b)(this,{title:"Are you sure you want to delete this snapshot?"});case 2:if(e.sent){e.next=4;break}return e.abrupt("return");case 4:this.hass.callApi("POST","hassio/snapshots/".concat(this._snapshot.slug,"/remove")).then((function(){t._dialogParams.onDelete(),t._closeDialog()}),(function(e){t._error=e.body.message}));case 5:case"end":return e.stop()}}),e,this)}))),function(){return l.apply(this,arguments)})},{kind:"method",key:"_downloadClicked",value:(n=_(regeneratorRuntime.mark((function e(){var t,n,r;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,o=this.hass,i="/api/hassio/snapshots/".concat(this._snapshot.slug,"/download"),o.callWS({type:"auth/sign_path",path:i});case 3:t=e.sent,e.next=10;break;case 6:return e.prev=6,e.t0=e.catch(0),alert("Error: ".concat(e.t0.message)),e.abrupt("return");case 10:n=this._computeName.replace(/[^a-z0-9]+/gi,"_"),(r=document.createElement("a")).href=t.path,r.download="Hass_io_".concat(n,".tar"),this.shadowRoot.appendChild(r),r.click(),this.shadowRoot.removeChild(r);case 17:case"end":return e.stop()}var o,i}),e,this,[[0,6]])}))),function(){return n.apply(this,arguments)})},{kind:"get",key:"_computeName",value:function(){return this._snapshot?this._snapshot.name||this._snapshot.slug:"Unnamed snapshot"}},{kind:"get",key:"_computeSize",value:function(){return Math.ceil(10*this._snapshot.size)/10+" MB"}},{kind:"method",key:"_formatDatetime",value:function(e){return new Date(e).toLocaleDateString(navigator.language,{weekday:"long",year:"numeric",month:"short",day:"numeric",hour:"numeric",minute:"2-digit"})}},{kind:"method",key:"_closeDialog",value:function(){this._dialogParams=void 0,this._snapshot=void 0,this._snapshotPassword="",this._folders=[],this._addons=[]}}]}}),o.a)}}]); +//# sourceMappingURL=chunk.2ed5c30ad50f7527df09.js.map \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.2ed5c30ad50f7527df09.js.gz b/supervisor/api/panel/frontend_es5/chunk.2ed5c30ad50f7527df09.js.gz new file mode 100644 index 0000000000000000000000000000000000000000..d087b1a510ad1fd7d0807519ef2fd0b442329ebc GIT binary patch literal 5532 zcmV;N6=UijiwFP!000021Lb^ocjLC2_y6ywp!x2xfgOmJ(?gl#Oxo>t=8Ut|*LMy~ zLK0#M&;cNO99iFe(MW(IX^m61-V%!_51#VFQ$R34l6s!qlbbazZ~rJcTNk~S$H%K{ zn5{Q*39ha_xklTw&%em$8&)dH86Zd@2Dj-(l0+&&OO?)8CV+x720s20&hD^CM8Uw9 z5b**q@Wm7&2Br`qs$0*dXLjJnaF(W7$ytdNsCkJE@oX));w7(9dU~3|UiXqqC z3qP}pC`@bFrKs)2MV@Fzz+@tcmaoF%VWP-;HL-nggxWn8jIsranuriwJVD;}KTY*! zqm)+hh}83%#KI-EVNy{+tV(mU+-AiN(5`8hd`+dANcB*Yi7{24FwV#U8X47^3S@!- zCW0=ODo@Tn8?^)D6F*k*b&rN`&y(rU^z<6eJXAMDi{Aj>9U=i?)iA>Rf6iC;<;2Oe z-<2d^l{GDIixi#o`(({kk+xWQWf$v_f7zdSzQhxGx0qPnt+84bC+H+8Yb<4vn#T0y z`Drv}fW*JhHA#-~YCTH?k%|k_6YI2*t4H7@D6cxGymhR+ljMBeFltepzWmPo$&(Y5 zo}aE?#)erRq`mCW?n&T00A=fq>T3XR6rb~Qqd7_Yy*0ieb&8GVYVQZHqpSC%#JD2exJ5r#D3QRv67Ytl{6nmZ&y{pS@s8ccI^OC4ddC1 z?F24TjmeSKUXIP}=_r7)%V3}|td;pet*oAgPDSrtzN)GTXZiW5c^Cm#MRCm+6Ilvg zYs}Q7L3hVFrGEMWS-q5fqT}XY9TfEL|DgHr4r=A$u=&5|bwz~y?`{8wgOVHnqyTa}?a|APg(syGkAj#1TajZk2ej+~a~=(Q6=0QH@=ewkxqJm!NJLyyLV= zm~PnNtm2GZC{V&&bF!k6WP(Uu-x1xEsU=}RFA**LE~=HAMz1(ks3nz%6*_!uR)i_p zXpoWn#FGcW&$5KwM5>jA*X#NLXpy2*0BP2`2h>U_5k@H^?^TN8A{zI`sHNcdc8~;C z(kV2m3sb&x)}nK81V}=eae<{N&=rJsvgP*&ohI89AEe)4#<)sKT-OP9SWU40U#oyL zV(4{@1@OA?c9cZDX-)=S&mSL~@g3xl?A^Py8TIa6p)|mt?G3cw#G{Wi&Qflvr$}@uB30UMplGMO2X^Ij!yNppaK@q+u1TqdI`Y55Sqtuncyc$Nug>PMSS_e<50#F_w2WRQQd&f4t{T!O3!evV6wm zIVE)@#_=)G1okI+QF;WXyXNF`YbN)oUHFE)Q5Vw6%NbhNxFjpW44YD6MazrS{Y?jG z@O!44Td1X|BC-^8t+>$JbJp6nA|VNR!YU8qkT&Zj0A6k-Z&||XUF!0^`wau@Rlk|mpk)9-qYk$`X18u+y4E)q? zyO2gS@u%ay34DBHo4U6CxKY`xVcefCEB;2%6;`CGl5e0LOiy#vow3Ee~T4~1i zR}-*VL(B%H{pzb|tz@;4D)AF=vTob04YCyOyk|?Lb)E*3>cTnF{I8qU4H4EEX}0`` zR#)K!--fUYmAh#m4t(D`l>w(8Etz^rJZPZZ>Fv{Ou9uHPEa~v+)dtgSv4*#xhy!w~miZ zeD}HNHzu?3Y`Dw=BGVoI2Dbg+VV*r`LsXr8kQ8D}3U7;uZ-eJnG@&8TxLy6oHSpV& zZ3Arb%y`rV$=Pg7dTONai{BqPD0%E44X43TJD!`ps$y?FW5qU#Nh}KwA#Sn8$Ay6C z+v7*%0(k2g#fAHs3-27XY(rJZgAu~y1&C>3y?=J%4$7(1AYuN&i>*^^t{+;}n+J_J z{by&CK>DUNuF+ZmSC!Z2o5sR=9o}jljZ8K^ec@|nfkTcYd%f-$zM7s=q6W%471>5Mc zw;+ucj2{Z!wL=4{>%H#vXuBd|1KH?tq@BX#OveM0HdN&O>$y)0hXdfZn{`b~Y(k)y zG6CreJL5$PwMTc1dl~^i!&@ad>HwoSDL}N~-m6b^R{ye?&gf*~gpvEg$V?jE2#|Y{ zpfiUB>{LG&eC65sw%wwDKvcSZ#eMJhUd!KE5CAYmT-VhQU>&6~oROkzkb|B;u+oHE zgB>4x{e&jRTV0eMY{n>cP|Zfmyg9GE7G@hAyG9qQuQt~PLwhi;^;Yj9Gbb@Hky|)t zyB!+9<O`~LEF}QbahP|UGMj4EvqY`wam4aIqW1jG}5EryrBuAXk4=c z;g&>CZDJrbqw<^t)}>Z!(}@fD;%tW7?itpd#(7=IYlA0~oLyo2^Z3{_1`ztL(D1BH zRR}J-i^$pFw_sCTDHF z?Iszmv%L!~TK}x*v}6pg2t?^$@Y+t$nbjq6b1x!k7|hdG&7q$kc=~s6k^d8Y`~zf4 z|N7$b?6b#@KZ5$F-u0_Bsi33q52u+TQfV3&PBx#m?DiA{w}ad14@^T%kH<=p)moXF ztRjy6jUWl*Y(kaIqQX&M_BZwimT;4v`x>qpg6srr_)1*0BwgvV#CN9ByV^7JHGqjr zY)uUWAk0>H4L}c&A-MEIPqV#TYCxs79KVkevb5RyDN0|l)@g(dnnE->*LnA+W`^We z@egq+zB+R|*1G5>wby%1*AsqI>xW?ncrwVz-%ey=DJE;rz0`pp~EVD$vGp5-uunUC<&`NHRv^erV_%cS`#8@f_KhxW}~?BgvXKP$Wb4GRPVe@ z#No#KF)SrrFtFVr4x6YG!Rca@nchWwW7u#cDxguU*SYpvz~csMt8W0+J>O`>jlUy~Yg)IiG&L>t z1+BNFc1?}ODg&H&ts>@RM`}s@+MbC6%eQAnVJWMxDlwO!>D&%i2`)<_r5@(|owib< zmL!pQ6+&ywxaYE^UeM@a_bs4^L(6QU{DA~)c7oag?N)3+x`YrBLulmeTo3#{1{mU5 z&k6W3(ZM6Q^5vyw5Q5a-yj$u?lux9;HE_;Mq^fbxzYMe$osV*h9~B{h)?FVfz0fLi|*^Q=#@cJ+`6a*^m;0EqHW}bnj14u zzNt2c`I?5iov{PFEuxVq04q4!yUe186|VrZj^#ao-nr@~n?%Gl@{APyTLKETmtc_a zAR&eF$8v^77|>RLZ(Ij~yXX=O_YA4ocdnbq@3>kb-Wwnqz4BrZxx+4I&$y^QV+s@W zL$j_b+1R~sSDhE;DD00s0CWk#7AqyF&PeRr zdU$Q?fz-e??Yykmp%0+9fS{r9ju^E4LK@9>`GsWW?%wS$q=Ku8vtLTYxq~-Y;FbK9 zl+%1s@C(WLk2ZcES-$sLRqs|$w|n0r)qLE4Yej43g3IC^5M)6ZvCF>QFhy6U5)ii` z!Y2fTOI8D;?*(3iUId@bpuDH%Mvrkz@@Brgg^1-!68wO}vzpb$3awpGFc&Y54i?e*9-Ip&L{9Y{p z+qakNK&*Eh=&3qRiG_ya&@F@Rh%muYKl)!Wt9s#|&1&os3gyuFS#JKMgjHz(vs8Qy z;LgWJ#I=G*^BP=J>&uc{4o9^e9Nxr2uSZ&!y&rb1CY!+2XZ`rNtLcl@$;=^GfJRz# z;NGAv za0ABTS$BF?%R|I4i|;9J)<#1AO$tzm?eT63Du-ALusluU%{9pF3UoK%2QfSUaAsc_ zs?Xxp>)mCj_L5kK;bqHk^V!`Wm#+pSP zRQ-1Xp zwG>MTHk#t~NXF2GUraN2&u;J?-v%*On04Kze78T$o3jQag@TA_c#LusFgDIm2rlu% zZ@^9$k$ryPb{M1u@t>1tcE&jM0qC{K+x>?nZ$38o?;YX@@tY@eIJq#~;Xv+6hAwWE2$wt;d!4CS4#w0{Fc+u#q8 zdM2FN0XVY*aQ^Ib^trL0~SPi_{SO?t=f{kbDQp? zt*IX$2SApm|HMpZ6%JZ6!5KZ2BTi{_=G?R?l?L za)!#K=#ytNOgCkU+v7)Kp8f3)hVSUYZ0@YaY_ZW`McaEqZY!);sX1Gu=z(C7r}i5V zbNOq>-hM_Jnwe;f5wMksDHxQ|2sYX|B2L6mE?2ZrT7Epm e)u+?>=bwJ`c{QJYnf+*MlN8we*QY&G@>+I3dD#Z3h&cKvqT%kOOwu3rjWsNg+BQT6NSFK!1G(G5>Y60feDA7 z%TF+o1%ii*OHAy~YxnaSV?ymbEa^!k8Zo?A%rr_MU8MbZS`_A?W^$AK{$Y15s~0a) z?H&#%GH#fnMyf@>G$2eoBy01DNd`DilVe#a1<2f#fV(J)Vf?Ir&T1u%w96JfZ}~tF z1EF>hvP5`qmBb2AbNaJL{9nG6+Mp#DOqmr<_F*PTYRLtNHeP zm7&7SWAL(3TB>Kj+VDun)Jj>|)xad0&1%JWR6WexAf8@dkJkhI4HtQGF=DEw>opfQ zGb8If`MkcLoV=FC$X%Yi{xkrb=E<;o^CV-LkRIjCQ%Lqtk-a#9Ml*1LHIRHlQ3K5L zY;Eam4R(aEuB0i_LGo|A`1#te^nd4M zjOtau6(D0qt7jQ)rWp-1YFaY|s;L_jX2TzCjNHhw(NmMzEv*^`@}*O=-?-UXxuxQU ztxrO|XAez%YBsCrHLFg}+QczE`SqJukz_%8$2x4D)nWat4yTwaE2{Mg=BD5$Awi0# zc(0%3eKX1Xn<1_Oa#=GG-gF6><9qAAovVf!rb|%lzq5zK3GjBQ56qEm8MS#M8jYoY zv*x${bwUaLHRvKh$CJ;8ozH?(LFYqmI^g`^pe#QY8DR6Q0oEe}L`&DtF5TKrB2?wa zM`Q|?X%LP<(}2m_>t9%DvW;TwSBCuCnr*mX?-ZC*8O}7|*eiOM?_D(J<244iEyjW3 zuIpWhAe=}-@!qHh$GtAtQmzoiq%3q7_H9W`xkc5$;H~8AM8QC-v$Yg#VNi*4;AF=& z%M{bHx@9nwnJp6tNJNAmI#KxsogtQRp$!$K?FkIVW~<~~BG_H>2MG5cm68gj-%}x^ zNlIE(3GHGnp&A~C-Xy|)8!Hms7G4ROnRk6N@^ z_;LL;* zVA+yN(@cfmj!s`wb z5!~R%E{Alne`c2kF02nN%)!7BL_UJhF@zro)ZRL$of0g5%PJ;r%r-3hC0Z6ZeevRK z$XQ-C7>h={d1J4C=fwr%fJk?twmd+R zrA=jku|sMC_cX+OQrd66iD)IeMw`Shph-Q9I~!yvZhdA;wM(AXC(WWur1^g}yKAOg zG6J?d#GtEiXy8iN!sOjD6c@g4JC&hMKOmX;nt7+eF4Bj$`39Kply*TxVTJluDf-|J zMBbRWdifHIrCJpX{@0sJv}fZ36(Txy^0;q86FrpA8?4x~$|VB*gRN`ag1uF1rt;;o z&lxMS^bxySkr1Z;>Kl+BJ%W7fCc|>lFU~;3A1M@?zz|s9ObiImCU!df2DUx$G|%2?LsgxBkQCyC6y6pw-`1Z8(FC|apLXGu zgX0gB-2m<|$RdVXuw2bgNiVJR$KoGDPD&mpNXuzR)E&=#teQAm&sDLHYLd#rOQ>6_ z&vBt3`tkUcbOn6KjAGF}=E5fjkZr1kcb&2A3y1_1f#x9kqA|=NpM$lQ6=+l_AvrwiZ@O2xq%P>o%efw==Ncw$@>xd`e9=-T`>&lTT{Pr z{sX-seg~Nb=F-CrTsygcG2{J9{Dz5XiIGQQ>tnei#|h1}?GnjB@o=qS#IiF* z!SNx@;i<*h;bqjpRae4$eMMLu6&DmR7%0SB0#7Nl(Vh$&a5zZ6E$AqmJiK7oAK-mS zW|u?1-7T_OR|j`!pnp}2MlwNn3=H+3v~~-iv-&;j)-EDx6wcFc)lK7^)dRlzZ?wq& z$RGa|3jnBWjayFz z?3Q>MB)M)3SY_xLl2S33S?LswmEN+=s@LIaw%8>vENfBNub)P0cid&l@O?cCPdH#AD!jQPx_Td{Dfz94X>|2 z=IFdk#O224F{(Ac5oq5Mj{B+;xzpk#H&KKAl`^%GSHDdin%l9>* zDSW!CNlOculF%f%y# z4(!67XZmf5JJ$5ue7A{GD~#B910`H%IdR-QU9!@FgM-80xIF}!Ss~gsTqz%_^5`rg zV#%GyPZC!z)1;*0d}zEfcjP`eyY05xd1%(1q+-~`Nl=b_BYNdXyN4@;y;SCS?#~Yn z4wACd2eQDq4(4hxNI`VLv(fojge@4!*ln^Zj#KK1&-xk*xW~ft!SuCDR(f zx_k##N(@w0O?RQR#*BL|2keE6UfLg#Bpf?t6XOpga32Y#MKoKxf^>y3VHVMevvUCa zDRwZzv%@6dVd8^FwDj9ck*zUG{dZ^A@;=2Yf+h}YiSEf}r2Zb~OqCJrgF$KFT@$$0bkROS_|c zxEgdawTKT}W(Xdn3Lee@I_&^hafg&kBkvLRsT77>%MkB~A>SQ;6JQAKcfUk>Vw58mMmV^_fumE0qx~AxE z0fzJCr6sho;y?)7kRuG;AOpXqcW2(hJ6Y$;(e*e9(U1ps++wt+#wZT`hr64{E7$#} zTi2GvR}(Gy0DLzX^%$;ds_5?jio`8Gfg`@&PxV&b{on$thX&tK?1l;E2>h-QhVN|K zsosZjk}wp$=$U}NQ;-yn%Ef$+^&NMgkAUN|+k$0+-2i@Lxm)}?w?8Qp>ogy(;?=LWw4+l`WsIHKRJC9fqTLa2t_ynQ9Xk*=doZ3-~3P6U%=Hz12FYb+t7v8vQu0hcn z*^i8HeikEWr{z*$ZKftff&@2OkG_m8tOcJ6jWTVJ%?nKQ{US;m}6h^O-iI9y2@oMl^oDeUw-0tB>?-qT!Xzw>OPIt13bsS2LrSdqj4?!Kw;eUGenCnul6xbA*Q?f z(6`MF3836}@76=SbNmO)w7?n=qU&NlTfn$q+OpMkT^{)wb|2 zCIWbYM?C+BSFipt(Xvq`gUgm0Qp_KJ_a8;MZN&TRQ~K5QXP>|R;_`aE`Fz9Z#pa7I SvtP8`UHlLK+#D}KHUI!VIXY4R diff --git a/supervisor/api/panel/frontend_es5/chunk.4a9b56271bdf6fea0f78.js.map b/supervisor/api/panel/frontend_es5/chunk.4a9b56271bdf6fea0f78.js.map deleted file mode 100644 index 411cfa5bc..000000000 --- a/supervisor/api/panel/frontend_es5/chunk.4a9b56271bdf6fea0f78.js.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"chunk.4a9b56271bdf6fea0f78.js","sources":["webpack:///chunk.4a9b56271bdf6fea0f78.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js b/supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js similarity index 98% rename from supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js rename to supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js index 6957a23fb..50db3a6b2 100644 --- a/supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js +++ b/supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js @@ -1,2 +1,2 @@ -(self.webpackJsonp=self.webpackJsonp||[]).push([[7],{176:function(e,t,r){"use strict";r.r(t);var n=r(0),i=r(62),o=r(29),a=(r(94),r(121),r(18)),s=r(37),c=r(9),l=r(10);function u(e){return(u="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function f(){var e=b(["\n iframe {\n display: block;\n width: 100%;\n height: 100%;\n border: 0;\n }\n\n .header + iframe {\n height: calc(100% - 40px);\n }\n\n .header {\n display: flex;\n align-items: center;\n font-size: 16px;\n height: 40px;\n padding: 0 16px;\n pointer-events: none;\n background-color: var(--app-header-background-color);\n font-weight: 400;\n color: var(--app-header-text-color, white);\n border-bottom: var(--app-header-border-bottom, none);\n box-sizing: border-box;\n --mdc-icon-size: 20px;\n }\n\n .main-title {\n margin: 0 0 0 24px;\n line-height: 20px;\n flex-grow: 1;\n }\n\n mwc-icon-button {\n pointer-events: auto;\n }\n\n hass-subpage {\n --app-header-background-color: var(--sidebar-background-color);\n --app-header-text-color: var(--sidebar-text-color);\n --app-header-border-bottom: 1px solid var(--divider-color);\n }\n "]);return f=function(){return e},e}function d(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function p(){var e=b(['
\n \n \n
',"
\n
\n ",""]);return p=function(){return e},e}function h(){var e=b(["",""]);return h=function(){return e},e}function m(){var e=b(["\n ","\n "]);return m=function(){return e},e}function y(){var e=b([""]);return y=function(){return e},e}function v(){var e=b([" "]);return v=function(){return e},e}function b(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function g(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function w(e,t){return(w=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function k(e,t){return!t||"object"!==u(t)&&"function"!=typeof t?E(e):t}function E(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function O(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function x(e){var t,r=A(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function j(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function P(e){return e.decorators&&e.decorators.length}function D(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function S(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function A(e){var t=function(e,t){if("object"!==u(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==u(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===u(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n \n \n
',"
\n \n ",""]);return p=function(){return e},e}function h(){var e=b(["",""]);return h=function(){return e},e}function m(){var e=b(["\n ","\n "]);return m=function(){return e},e}function y(){var e=b([""]);return y=function(){return e},e}function v(){var e=b([" "]);return v=function(){return e},e}function b(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function g(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function w(e,t){return(w=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function k(e,t){return!t||"object"!==u(t)&&"function"!=typeof t?E(e):t}function E(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function O(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function x(e){var t,r=A(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function j(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function P(e){return e.decorators&&e.decorators.length}function D(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function S(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function A(e){var t=function(e,t){if("object"!==u(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==u(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===u(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;azVQP-rH%f8zX{uh|RH0dj9<> z-7qZ`BJ3Zl#+CHdt7mWG)!^BaQPF7WmC+Pp zA6vGH8VAIAtE7)EZEC4!ms4Sh=9czZtnlyYki`c7hc8$xIJNY}V-{OF7!G%T&l!sy zx*t7bvBZB|RdKZU+2t`AX(+Ij1>aar8y+3)5$AqUgDJ?ri%DjxPd|;^?x5>Pl?N-l zv0olT&w%8x5;mh-oPd~jr-M`)jomjAu{q}_`^E7%t*!B98}{X~w$Uje!$g}?lLcj~ zEp@;%`YL*@$?l~JD<(iz$8$n*p8m*=(h5U3g$sUqEcg>C=U~d;GjL& zz*`vY6Q`DdjXbUAxAccKgyvf0xzb~7up3YtwFOULib*h+HX1@=@cJKH)95^rrZPwo zib9h_)OE7&Ch0C=-9l%ln)-q3E;tW!zXyuRtW+LYS0_wqyf>5EY6<=EwwX@&d`sJw zi8EBlMv_c&nJ8)Wf!<-rV<_cBD4lraD+uMB2s>69Y2Lkuk6Tn%N<(rKs0B=R@+ZjR z3>CdC-(+?uD{HVd9p>yRC>n2WgD8b_iEFZ2j9WE##k^H-r*g=|{bJuPV;5rQc_6qW z^Prv+XDXE+ka9Iu=a2_-Hessq=RI5}4SdvA<#-+K@@TI4cjsCJ`q8y|au;wYCDfK02iYbEm zR)_QLvny}D=Hl0Z8lRatTnUH81!+rVv8Z_7eRTG2g_Tu%RAhToR!$G>XtmprqjrpEn+*%L*m$2&74(7vQQCQ-C76PE#(arl5e+l) z-=c=^Q94VbZ-v&z6Dg{Si2XH71b)a7G78XVVLx=n54AY(e;prk{w&t(sPxJq$$W_z~%(&{p>2;1C9pauY4V)NbaLn9!HQp)wU2m)X4#A-pYGVP2Y()KUN zU``uuRak~{5fCrf9GKd3ze3rF9mk_FoZWbv$t${C+cHp$g79ze{HEiv4(E=#Gpbl9 zKr>bUt^`lnHkcPCd&e#juuemxHgJB6m~|*cMDYr->;t>Q<8;Z? zRjs8^z)Ho-i7K2CGn-w=ji?koU$A`dm;f0U)nz06Gvm#Yxu;Q^rL~QKuBLL7p6tfZoIBtDEbgvI@K%2OQ+>48V@Nz+*M4q!HZf5M1W9>4PM2!K23_euv2b&ph+q@sWwb$qo}9 z%;0b9!q)Zn^wB^?2HKja-onO?d~Jt}cesUs?Oia&9%J!SwqX2HU4>(3(Xl}3{{CJF z8J0I#i&ngPqloppV;7VQ@|dcbcFzu^7z|iqI10bLU4bV;&^bsC)nR&&s2aje6oo^; z5rKeLo!f;>7*?e{PoNOqebj z$nrb9timk7WRQu3_%{?d&vEmH~6OW_(rgs=6bBn9;X&;D*pq+JYia1f-`O465{%P?E zoL8>5XtCwt;URXbH_@o)&2Wh^2^2)Dkz|Idj)#ZAQ?S{NVfNMqOFX-Am4^l@J{R9v zanBYeV9PVD(@Jmq#f(^{Qy<%BWa=X8Y(_#j{m#{CZykVqU7Ou;;tyw_;I|a=aUcjR zK@BV`ST+&7uptQ&h4G-w=NGUvT?V7IFV^eLqfGQ zd%sn2RvnAtKB^r=79K)JUjrJQ+M}TOC~r zV4olDz?xaFRD}WV`3RO>;j!DPGUvCL*p&>XGK)JT2)wyff&y+Hzu@pfJGi`JLI(Qw zd@0|>fn1PoU(Q=YP`ysjn=m~_A_|*5gmr{4ekkBoOEyKfEla2=3l3zm{2l~_qY;FD zUEY=KRtH3_{w?j|S+j!fmFiN(ahag>(406-F=Sp#xPuW4XxLRkLJejV7jL94Dwlna zM&tUM;&@yi9a&~*pBb7-O&deB#|ar(TaZ@t7ouJ|a-y8YFqzx;s&;R`by9w7i~yly zQo(o(BMH@%#A8;>z2%S{7OViUR~X3J$tNsX+7=p^!K0P32%>3#=jO%2NnzYTjjqw5ydBYMW(LV2i_?|^iT>(ddQ2K%e(kY15zmx?%9F1l7dMx3k4qj6_ z)Apo`=&3Y6_xJT;Fhch#EPRO*S@_P6`Wlmw%B-da%{b`FcLuKOv|XHOEsaye?PVZ0 z?i%C9t7{;KGln8v3tJJ@HcUY{8~VWL{1>J7H#Cf||agr-MV z^Q4zNObMS=()^9`2y2l76YTBYtk}c1z}}a}r1J8LpjvENcd!^^2(6pL6xtn!#xdbL z7T3O63|nVB47+jTDLEQ-eUUw+r7n7(FhTyJSX;?BT{2MAPjqDtKxOqivu7s}Hv;GB zD{&j~56i?$wXLbNaK!PlUla83;m!vXMMkdnU+WMUvDD@VPR zJLra03Ybqk7SLPbaFFD@QJ|HsW=Q6OnaE0qa3nVX$ze$kVAOJu9#~Hbb4$VlgCUS> zE`95;XZnrMVE6^7bj{B%WIABkdUQX zC1SqOa&=883U^mE>0ED2Nhp#`@ZDbKyEylMDra1I;;8?k0O~l|5i%3AOB98PljDzd^Fhnm!GvpIeg4#jh?NK*ZpO;(fduobxdV1 z8g5L;d!^jkfgQu#**9Q%{OsF&(?p3GMr^%-;F*|k$i-or%qc(U3a`w38tIHZ(@jz|rFJ7~FPvJ>3SMw8oLcvA1=rVG zDm-@cgWe!1+dhy5%4JYji-8Lwiz-{2k44ael9XKWqCC^HX(kop%)klz61h9B?U9p=K&j=cr+LDHx7x8d? zFW$5*NT}{J(U!T!?+wT=VYe$y035YZ!xitK5PdqS#rkK>=o5i&W^I;2fKP>&0Vdl@?W9(@c1QL{WuFfE5dDE8ZYs0?983yI=}Srf7(JVu*N~mnRgV zzW*iM83ikp8^dWBVMEvPeXuVWZllZ274k!jOZ&Qtzdd$9ocEJD`V=WJvBNE4W?D7O zl)?dc@OV{WzXNm==BY+B)9io~Yo{X&y+sQCDsRwLi&U53zRk}`nNQd5G?3sLd9ckZ zjP9vYqJm+htPn7z#wvnuaTkfp<-QJ~L z1G54!Vc(*jo7jrdrplzG644k?Vyn_j+Kq5`Y~(Rf&jz_y@Fq|Hcl7^0mD4f`Ga57dQmDWRPvqm!IYRw z$hpnZ*OjbA+B#ZCBTozf2kGBs`p!GjB+zrwtiXI+(drMJ2tQlFfG>_u}4ueF|2eK~VG z(~nQ`9y3pgaIc2yS%&t_P=a#QpxzryTMp;YoANmo|xUv7wRsgTNFClRiK z0yI$tM|GqsQB7bcp#*fP#h8-#o|D|zV~T3CiMj?^liQMkdri%7S=r((K{}+nfkMEk zb`dPkTz$7^j+XjRNNsjj>h5~%9b5QP-7T0L0Nt-CAXHu;4A5p;H$0>ICm#Rf(W8GR zvTnqj{RE7G6aD$ykH!3|;UBW6kDr{JmKXH#1*In!&q{Xsc;9nlZ-v8#W(-} D1Sj>< literal 0 HcmV?d00001 diff --git a/supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js.map b/supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js.map new file mode 100644 index 000000000..e50f01b21 --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.52438dfa2faa3f6de843.js.map @@ -0,0 +1 @@ +{"version":3,"file":"chunk.52438dfa2faa3f6de843.js","sources":["webpack:///chunk.52438dfa2faa3f6de843.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js.gz b/supervisor/api/panel/frontend_es5/chunk.5bff531a8ac4ea5d0e8f.js.gz deleted file mode 100644 index 087690b09e3ea9aaa7ee4eb6a61fadc853d8bb64..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 4610 zcmV+d68-HTiwFP!000021GPKncH6j`|Mw|q?rsd6K#Y`rsW85owtbUxGxJO1&4DS% z!h`~K0MI42-hDqb0-`7=I}SxBVu{EEsQ%qX;`}9wk z&`V`LtvaCZ4-$|xBDNtACVLh)ZeY<7t zD*Jf5xoDe5k8)*y3^xj{nWVavXW?oDnE8`zSB`8lfO#ApE9zDN_gxLJtE%ePPr~nF zD_h-~YiEJBvPXyk(XMB5h47sb9jh+TBL7`v_CI_j>4s%@;W^8eTx}bATV@wcTYsL% zjcdNt>oS{7r~jI)t{J~v>x1QsRxX(=vuVG!`(1>e#hOvr%^s)d2k>gz)W`tMCfW1p z_69!$XpH<-!)_9SXu~hXglo1@0GtWUWU{+zg`Oz>g#jZkw>KmF0S)Q$mM)iETmpl` z3)_|(;1hNQNC1~;1xp13_J1kcPAn&N+q57ePzst%=yp4C+)Rc?@Q~2!o~CKCbqt(l zH`)Or+4Y)hhKG6rl&#k7W{j3}pBQEa*Kds2j3gqcR2q}XW?4@-*s&My(^QVBDmRpi ziRQZ5Glvb8mt26D?SG#>-xGDi1)Dep4FG3W{S%PlHE47U-{#trbsS%$=?E%Z=S&3-tof~AURR!_NxkA@8ymC+v~61-t66ele&y2Du(fW zX%>P?aNl$>;UlgBiz(E%33;2Zl6SjLo=-2-N$9kSfNqw#Ks6BoO582JjFAeM2VG!?a}H8jS04a&*{yUu=v`r~I%okaPM zRESoaT;62V*=$A?{OoI<1p0N#54x^AEsE(6p~!i^y1x(S_qb=pr%$#N`t+&NAS7&e zBka%V=@XDu-dgB6R8k%AnU-NEp$yY!KO=@q9l^k}W#7iBX;oD$;rlOa#UvATU|z4e zGC4w=>g<9s0RrQi(}pXygrY`upaO)`6IM`cnfFGJX!|{~nDb6J6)t1B2#6b215+pd zS1cQ`=Xf@Uy9c|4TGP$mk&$8)gnx4z4o&AKoO|kiqMF45w9xHGEy0=#!^I&oWR8=? zIYEhGgLz?cGWCgo^%|P(BIh@VIfv3jR__oiKC@dq&o@l3TO)-ER=8N6>B<{1bJ>Ml zORnif!^)E>0WwznvXkMNiEhK(6Cf+|OQ!ch!9oD^)yrylS$)Ul6=zMt#-m3F01Pjs ztfT;@yU-8anac;z&iq0d#6>`Or6f=y*KEUtAya9pd3~0Q;hx^u`LorEYB>q<{;NJXYx*CL=tHB6!CaCMz#HOhhz;Kb#9Y*E=y+BNYW`>r4+8 z4o;MNCzL;tE<|h}qA?B_OP`8{iA%kX*M3T_MM@t%I*B2}@dj(jN>FbSu|9fsLAfB0 zg+4d#*@Kj$0ZWcY;h%4|tk!Iqo#v1A(SsBLVMvw~Lu5g#W$h$?*NX z=$gic!yvMGAl&z0@9C9H@UL0%h;qob8)Qv-)?ikr0t@CtZ*X8D$W9I207EEyN1%d z^T~+}Ir#u*`YrQDgRQ6cPxBQJ?}RobqB2aqlak&d4G7=pxqSQ>i-kO|82lrsD{+r6 zVPxVN`cfsS;$)C29zF6utm7oV2Ll+dn}GosO6Mm&J;(SDiR}Hg@TJ9VuT9|7a1Y8u ztoji#jOR&yGbgN)g~P=|+6Q71Xg~FCiUiU9eQxQu|8)2yF1hb5cG&T7f1kS5kIAU# z$MF*5EK-oHCXyMeI_~dBZ^2Mp4rWDy@? zeIY|GiiL|`PalaZwE7Gt&fL#Zc((`M#u|=W!-T2dhy-SR9(C-F@(IE-z$Xc+MDUh-u0vTJpq6zFq~bOUSVyi!*dc;F*i zHpg>+QWxHDF>xye-ENy(Bnj-?Xh{LLNH+v*7zbBtCRL>GB$V=f94IB}&y`|l32OHV z`Y}$Akxato0AZUTOdl%P+K~~_9mx`U!J-4%EPnz)VKRfzZ_2wRyDSP@`+21w#ERnc#Kk-D4GsRw5kWsZO4~+{eOb3b*26uJvR(*~G6yMhyjO^}i5$K2#wARW zbHM}g9ZR120*(Tq^bL!oQxI#|R26+Zo2!0%u3*yyuLV6f_GF6ag|a^%Ju-{Y2>n)E z_#P*6@Vy@mHKr1kIZch4anx1l41Cw=x;WcfTBk_c%Sdk8HKvVM-$0IM3{CnL!WG!R z(o5ny{X7zv4;$^>XrHMEeP;56iQW<29aZEz!D7Uawr(C%Y11)!$490L$~$S=Ll!6 zur<9Z!noMbEkcKm=mXwZ>Iv@UN&~JybM19fkmbSkbCSOkeb9&wnqzYGu8Zyu-HgSp zZoeg@_%7OctPRnjv7lG(^g$8coV0Lf#?Phr$@nx8sPigQaMB7-rI1DAb+abo+8*kFVOsC4bm z?_@e+Ipn+*ECb&Um`N6~IxzswzfuShD@Z~_N$|ay+x)0qdBDdl%Ykcs2GR#}O_8P> zAIGRt{8FI19pN}+oy45Zj#86k2}6)~$vtvPG=7^CJ6k6CuWJ@H5N{d<(99C?pvy&Y z>hBBAX41a`VEa%eZFl5IrMu_xgTnEFAlBC><;T5{g?)W_^sYiIG+I#C#DekbRZU)- zgE@&sk`2Dc%X}Z_{z2u8FHb!6-xWYTCl7?o%%1qRcbF1`RCit=CR)5BH5eBQ#H>S(10gQVj4Ko%%h zQC&L>To6_9VsAc{K#NM!rcIXBVMslAI|`M!Z!cTlTkbWMZG74h0o;k$p^Bh-PFj$t zI8SRbb2s!>yt1RKC6X9pIP()~lUxtA_D_hX3szSjPzyUBKyb%jrKdfu!>deB+xmvq zYZ5|Jkl4}~PKv8aDcP|`v4GnX@i6*+W)x9bc`Y;Z#S>rI<2s{t&6I*;F5ZEbGQDP* zqMMjnQ^Et40eaOY54%55OE|W~X4(%VaPS1ZL$p}hgmi;3VFu8V**P5iB{eX@i(wG( zXVSqVTKM)-6ibZqHJs+{1QLq`7AIGnUFZ0mppmI9>BvQu4%bi8L&t)I?q3rfnQMIP zKz2tqUKvJ?V*I&PA?BF-3G(E&;t)xu0EUVw*yS6A*mKtEw# z7)0lW9dKgfbcCUwk%qrI7&PA@-6yzT$_uhA7kl3{kmwp^w9Pd}cT{W1p%}3rRN!;l z3Rr{9_ufi$G+)s45Y{g$k+ns%N@c zGE(WDr4ZHug5wH?O0>DAx9ZcHFPF@{qBPsaMv7%ye`d>%?pxYDFk1i<&oymrV=Kx# zUMP1w{Qacc%gcs^a?d~h4-*}!i`$eNJMbb5m+-$7*9PH(V<``C<%kBl?b2ktR0YXM z@eBG9UBoztNj&cZ5BO;a6NDL7k+*!jH(Ro6h53NBP~C;n63s9%ecvV1{S6{2c_s&^ zynW71#C5X_$LNabdi@jC6luIW!dyHQ_(QUi?2-vLANxxuG~bxUOn#09SH@7Ej6^V* zkz3btFidlwHq5cQ=71KN?7^;pN5O6YU`-Xvre%N^jJ7Q(M!lW*Z<7z-<=Ykxjd>Qv z#ABKfhpT!{JaAsr32>8SEEUg70c0sAbht5lHouUJes=q>0+k-{D>$a7aK(LSH^cq4 zS-?aC8{|&IPMQBE>`+s;nN>mthB-0$L#$e}s5F&2`w!=XIk6uhmo7_Ran;Iv=V_hI z0xqOZ{Cq1fnLaNt5NQY)^Ooj36{I>_;-Qc*N)AQHp24Dqino$WG`E$GSO=D z-Q~7Dq};h&PxH&~rTKN~XLwRGTNaA~9yIGIfBI~c@~5+}QO+IRvJ=8g-m?!41B_n& zTxTmTl^$o~X)k(@L-jcFC$6M>V&lz|JS1lzyXh`r+vqtrA7>tC`suTBz|0FG{niU3 z4`-si2%b&HMezC?Y|xc$85KcsnR0dD5zb$Krvjf%%Ow6*!mrLs^EYQ=nMYm$;1=1> zH(ZP+i^Yt*IzPw8mAh(K`BnCej-^rvNv5*$|8hh6l?vhEa}wz*C_s}`aMVPqC29$r zB$R+IjTm#1e&?hP&e)>b9-_WMHstQe$ahWMcv-o_M}l-rcO!*>S8Wq5&wl#u?o2l3 zQcP`bR_ed?IGH;5O5Zk2jes836g5UGgaO*Q(Tymm`HAQM^yJAuXR7UF&He`%11I|J sFaKTD>rQ+wUR=15&&(d=!1,u=!0);var S=b&&(c||d&&(null==C||C<12.11)),k=r||s&&a>=9;function M(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var L,T=function(e,t){var r=e.className,n=M(t).exec(r);if(n){var i=r.slice(n.index+n[0].length);e.className=r.slice(0,n.index)+(i?n[1]+i:"")}};function N(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function O(e,t){return N(e).appendChild(t)}function A(e,t,r,n){var i=document.createElement(e);if(r&&(i.className=r),n&&(i.style.cssText=n),"string"==typeof t)i.appendChild(document.createTextNode(t));else if(t)for(var o=0;o=t)return l+(t-o);l+=s-o,l+=r-l%r,o=s+1}}m?P=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:s&&(P=function(e){try{e.select()}catch(t){}});var B=function(){this.id=null};function G(e,t){for(var r=0;r=t)return n+Math.min(l,t-i);if(i+=o-n,n=o+1,(i+=r-i%r)>=t)return n}}var _=[""];function Y(e){for(;_.length<=e;)_.push(q(_)+" ");return _[e]}function q(e){return e[e.length-1]}function $(e,t){for(var r=[],n=0;n"€"&&(e.toUpperCase()!=e.toLowerCase()||Q.test(e))}function te(e,t){return t?!!(t.source.indexOf("\\w")>-1&&ee(e))||t.test(e):ee(e)}function re(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var ne=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function ie(e){return e.charCodeAt(0)>=768&&ne.test(e)}function oe(e,t,r){for(;(r<0?t>0:tr?-1:1;;){if(t==r)return t;var i=(t+r)/2,o=n<0?Math.ceil(i):Math.floor(i);if(o==t)return e(o)?t:r;e(o)?r=o:t=o+n}}var se=null;function ae(e,t,r){var n;se=null;for(var i=0;it)return i;o.to==t&&(o.from!=o.to&&"before"==r?n=i:se=i),o.from==t&&(o.from!=o.to&&"before"!=r?n=i:se=i)}return null!=n?n:se}var ue=function(){var e=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,t=/[stwN]/,r=/[LRr]/,n=/[Lb1n]/,i=/[1n]/;function o(e,t,r){this.level=e,this.from=t,this.to=r}return function(l,s){var a="ltr"==s?"L":"R";if(0==l.length||"ltr"==s&&!e.test(l))return!1;for(var u,c=l.length,f=[],d=0;d-1&&(n[t]=i.slice(0,o).concat(i.slice(o+1)))}}}function ge(e,t){var r=he(e,t);if(r.length)for(var n=Array.prototype.slice.call(arguments,2),i=0;i0}function be(e){e.prototype.on=function(e,t){de(this,e,t)},e.prototype.off=function(e,t){pe(this,e,t)}}function we(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function xe(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function Ce(e){return null!=e.defaultPrevented?e.defaultPrevented:0==e.returnValue}function Se(e){we(e),xe(e)}function ke(e){return e.target||e.srcElement}function Me(e){var t=e.which;return null==t&&(1&e.button?t=1:2&e.button?t=3:4&e.button&&(t=2)),b&&e.ctrlKey&&1==t&&(t=3),t}var Le,Te,Ne=function(){if(s&&a<9)return!1;var e=A("div");return"draggable"in e||"dragDrop"in e}();function Oe(e){if(null==Le){var t=A("span","​");O(e,A("span",[t,document.createTextNode("x")])),0!=e.firstChild.offsetHeight&&(Le=t.offsetWidth<=1&&t.offsetHeight>2&&!(s&&a<8))}var r=Le?A("span","​"):A("span"," ",null,"display: inline-block; width: 1px; margin-right: -1px");return r.setAttribute("cm-text",""),r}function Ae(e){if(null!=Te)return Te;var t=O(e,document.createTextNode("AخA")),r=L(t,0,1).getBoundingClientRect(),n=L(t,1,2).getBoundingClientRect();return N(e),!(!r||r.left==r.right)&&(Te=n.right-r.right<3)}var De,We=3!="\n\nb".split(/\n/).length?function(e){for(var t=0,r=[],n=e.length;t<=n;){var i=e.indexOf("\n",t);-1==i&&(i=e.length);var o=e.slice(t,"\r"==e.charAt(i-1)?i-1:i),l=o.indexOf("\r");-1!=l?(r.push(o.slice(0,l)),t+=l+1):(r.push(o),t=i+1)}return r}:function(e){return e.split(/\r\n?|\n/)},He=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch(De){return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch(De){}return!(!t||t.parentElement()!=e)&&0!=t.compareEndPoints("StartToEnd",t)},ze="oncopy"in(De=A("div"))||(De.setAttribute("oncopy","return;"),"function"==typeof De.oncopy),Fe=null,Pe={},Ee={};function Ie(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),Pe[e]=t}function Re(e){if("string"==typeof e&&Ee.hasOwnProperty(e))e=Ee[e];else if(e&&"string"==typeof e.name&&Ee.hasOwnProperty(e.name)){var t=Ee[e.name];"string"==typeof t&&(t={name:t}),(e=J(t,e)).name=t.name}else{if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return Re("application/xml");if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return Re("application/json")}return"string"==typeof e?{name:e}:e||{name:"null"}}function Be(e,t){t=Re(t);var r=Pe[t.name];if(!r)return Be(e,"text/plain");var n=r(e,t);if(Ge.hasOwnProperty(t.name)){var i=Ge[t.name];for(var o in i)i.hasOwnProperty(o)&&(n.hasOwnProperty(o)&&(n["_"+o]=n[o]),n[o]=i[o])}if(n.name=t.name,t.helperType&&(n.helperType=t.helperType),t.modeProps)for(var l in t.modeProps)n[l]=t.modeProps[l];return n}var Ge={};function Ue(e,t){I(t,Ge.hasOwnProperty(e)?Ge[e]:Ge[e]={})}function Ve(e,t){if(!0===t)return t;if(e.copyState)return e.copyState(t);var r={};for(var n in t){var i=t[n];i instanceof Array&&(i=i.concat([])),r[n]=i}return r}function je(e,t){for(var r;e.innerMode&&(r=e.innerMode(t))&&r.mode!=e;)t=r.state,e=r.mode;return r||{mode:e,state:t}}function Ke(e,t,r){return!e.startState||e.startState(t,r)}var Xe=function(e,t,r){this.pos=this.start=0,this.string=e,this.tabSize=t||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=r};function _e(e,t){if((t-=e.first)<0||t>=e.size)throw new Error("There is no line "+(t+e.first)+" in the document.");for(var r=e;!r.lines;)for(var n=0;;++n){var i=r.children[n],o=i.chunkSize();if(t=e.first&&tr?tt(r,_e(e,r).text.length):function(e,t){var r=e.ch;return null==r||r>t?tt(e.line,t):r<0?tt(e.line,0):e}(t,_e(e,t.line).text.length)}function ut(e,t){for(var r=[],n=0;n=this.string.length},Xe.prototype.sol=function(){return this.pos==this.lineStart},Xe.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},Xe.prototype.next=function(){if(this.post},Xe.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},Xe.prototype.skipToEnd=function(){this.pos=this.string.length},Xe.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},Xe.prototype.backUp=function(e){this.pos-=e},Xe.prototype.column=function(){return this.lastColumnPos0?null:(n&&!1!==t&&(this.pos+=n[0].length),n)}var i=function(e){return r?e.toLowerCase():e};if(i(this.string.substr(this.pos,e.length))==i(e))return!1!==t&&(this.pos+=e.length),!0},Xe.prototype.current=function(){return this.string.slice(this.start,this.pos)},Xe.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},Xe.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},Xe.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};var ct=function(e,t){this.state=e,this.lookAhead=t},ft=function(e,t,r,n){this.state=t,this.doc=e,this.line=r,this.maxLookAhead=n||0,this.baseTokens=null,this.baseTokenPos=1};function dt(e,t,r,n){var i=[e.state.modeGen],o={};xt(e,t.text,e.doc.mode,r,(function(e,t){return i.push(e,t)}),o,n);for(var l=r.state,s=function(n){r.baseTokens=i;var s=e.state.overlays[n],a=1,u=0;r.state=!0,xt(e,t.text,s.mode,r,(function(e,t){for(var r=a;ue&&i.splice(a,1,e,i[a+1],n),a+=2,u=Math.min(e,n)}if(t)if(s.opaque)i.splice(r,a-r,e,"overlay "+t),a=r+2;else for(;re.options.maxHighlightLength&&Ve(e.doc.mode,n.state),o=dt(e,t,n);i&&(n.state=i),t.stateAfter=n.save(!i),t.styles=o.styles,o.classes?t.styleClasses=o.classes:t.styleClasses&&(t.styleClasses=null),r===e.doc.highlightFrontier&&(e.doc.modeFrontier=Math.max(e.doc.modeFrontier,++e.doc.highlightFrontier))}return t.styles}function pt(e,t,r){var n=e.doc,i=e.display;if(!n.mode.startState)return new ft(n,!0,t);var o=function(e,t,r){for(var n,i,o=e.doc,l=r?-1:t-(e.doc.mode.innerMode?1e3:100),s=t;s>l;--s){if(s<=o.first)return o.first;var a=_e(o,s-1),u=a.stateAfter;if(u&&(!r||s+(u instanceof ct?u.lookAhead:0)<=o.modeFrontier))return s;var c=R(a.text,null,e.options.tabSize);(null==i||n>c)&&(i=s-1,n=c)}return i}(e,t,r),l=o>n.first&&_e(n,o-1).stateAfter,s=l?ft.fromSaved(n,l,o):new ft(n,Ke(n.mode),o);return n.iter(o,t,(function(r){gt(e,r.text,s);var n=s.line;r.stateAfter=n==t-1||n%5==0||n>=i.viewFrom&&nt.start)return o}throw new Error("Mode "+e.name+" failed to advance stream.")}ft.prototype.lookAhead=function(e){var t=this.doc.getLine(this.line+e);return null!=t&&e>this.maxLookAhead&&(this.maxLookAhead=e),t},ft.prototype.baseToken=function(e){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=e;)this.baseTokenPos+=2;var t=this.baseTokens[this.baseTokenPos+1];return{type:t&&t.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-e}},ft.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},ft.fromSaved=function(e,t,r){return t instanceof ct?new ft(e,Ve(e.mode,t.state),r,t.lookAhead):new ft(e,Ve(e.mode,t),r)},ft.prototype.save=function(e){var t=!1!==e?Ve(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new ct(t,this.maxLookAhead):t};var yt=function(e,t,r){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=r};function bt(e,t,r,n){var i,o,l=e.doc,s=l.mode,a=_e(l,(t=at(l,t)).line),u=pt(e,t.line,r),c=new Xe(a.text,e.options.tabSize,u);for(n&&(o=[]);(n||c.pose.options.maxHighlightLength?(s=!1,l&>(e,t,n,f.pos),f.pos=t.length,a=null):a=wt(vt(r,f,n.state,d),o),d){var h=d[0].name;h&&(a="m-"+(a?h+" "+a:h))}if(!s||c!=a){for(;u=t:o.to>t);(n||(n=[])).push(new kt(l,o.from,s?null:o.to))}}return n}(r,i,l),a=function(e,t,r){var n;if(e)for(var i=0;i=t:o.to>t)||o.from==t&&"bookmark"==l.type&&(!r||o.marker.insertLeft)){var s=null==o.from||(l.inclusiveLeft?o.from<=t:o.from0&&s)for(var b=0;bt)&&(!r||Ht(r,o.marker)<0)&&(r=o.marker)}return r}function It(e,t,r,n,i){var o=_e(e,t),l=St&&o.markedSpans;if(l)for(var s=0;s=0&&f<=0||c<=0&&f>=0)&&(c<=0&&(a.marker.inclusiveRight&&i.inclusiveLeft?rt(u.to,r)>=0:rt(u.to,r)>0)||c>=0&&(a.marker.inclusiveRight&&i.inclusiveLeft?rt(u.from,n)<=0:rt(u.from,n)<0)))return!0}}}function Rt(e){for(var t;t=Ft(e);)e=t.find(-1,!0).line;return e}function Bt(e,t){var r=_e(e,t),n=Rt(r);return r==n?t:Ze(n)}function Gt(e,t){if(t>e.lastLine())return t;var r,n=_e(e,t);if(!Ut(e,n))return t;for(;r=Pt(n);)n=r.find(1,!0).line;return Ze(n)+1}function Ut(e,t){var r=St&&t.markedSpans;if(r)for(var n=void 0,i=0;it.maxLineLength&&(t.maxLineLength=r,t.maxLine=e)}))}var _t=function(e,t,r){this.text=e,At(this,t),this.height=r?r(this):1};function Yt(e){e.parent=null,Ot(e)}_t.prototype.lineNo=function(){return Ze(this)},be(_t);var qt={},$t={};function Zt(e,t){if(!e||/^\s*$/.test(e))return null;var r=t.addModeClass?$t:qt;return r[e]||(r[e]=e.replace(/\S+/g,"cm-$&"))}function Jt(e,t){var r=D("span",null,null,u?"padding-right: .1px":null),n={pre:D("pre",[r],"CodeMirror-line"),content:r,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var i=0;i<=(t.rest?t.rest.length:0);i++){var o=i?t.rest[i-1]:t.line,l=void 0;n.pos=0,n.addToken=er,Ae(e.display.measure)&&(l=ce(o,e.doc.direction))&&(n.addToken=tr(n.addToken,l)),n.map=[],nr(o,n,ht(e,o,t!=e.display.externalMeasured&&Ze(o))),o.styleClasses&&(o.styleClasses.bgClass&&(n.bgClass=F(o.styleClasses.bgClass,n.bgClass||"")),o.styleClasses.textClass&&(n.textClass=F(o.styleClasses.textClass,n.textClass||""))),0==n.map.length&&n.map.push(0,0,n.content.appendChild(Oe(e.display.measure))),0==i?(t.measure.map=n.map,t.measure.cache={}):((t.measure.maps||(t.measure.maps=[])).push(n.map),(t.measure.caches||(t.measure.caches=[])).push({}))}if(u){var s=n.content.lastChild;(/\bcm-tab\b/.test(s.className)||s.querySelector&&s.querySelector(".cm-tab"))&&(n.content.className="cm-tab-wrap-hack")}return ge(e,"renderLine",e,t.line,n.pre),n.pre.className&&(n.textClass=F(n.pre.className,n.textClass||"")),n}function Qt(e){var t=A("span","•","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function er(e,t,r,n,i,o,l){if(t){var u,c=e.splitSpaces?function(e,t){if(e.length>1&&!/ /.test(e))return e;for(var r=t,n="",i=0;iu&&f.from<=u);d++);if(f.to>=c)return e(r,n,i,o,l,s,a);e(r,n.slice(0,f.to-u),i,o,null,s,a),o=null,n=n.slice(f.to-u),u=f.to}}}function rr(e,t,r,n){var i=!n&&r.widgetNode;i&&e.map.push(e.pos,e.pos+t,i),!n&&e.cm.display.input.needsContentAttribute&&(i||(i=e.content.appendChild(document.createElement("span"))),i.setAttribute("cm-marker",r.id)),i&&(e.cm.display.input.setUneditable(i),e.content.appendChild(i)),e.pos+=t,e.trailingSpace=!1}function nr(e,t,r){var n=e.markedSpans,i=e.text,o=0;if(n)for(var l,s,a,u,c,f,d,h=i.length,p=0,g=1,m="",v=0;;){if(v==p){a=u=c=s="",d=null,f=null,v=1/0;for(var y=[],b=void 0,w=0;wp||C.collapsed&&x.to==p&&x.from==p)){if(null!=x.to&&x.to!=p&&v>x.to&&(v=x.to,u=""),C.className&&(a+=" "+C.className),C.css&&(s=(s?s+";":"")+C.css),C.startStyle&&x.from==p&&(c+=" "+C.startStyle),C.endStyle&&x.to==v&&(b||(b=[])).push(C.endStyle,x.to),C.title&&((d||(d={})).title=C.title),C.attributes)for(var S in C.attributes)(d||(d={}))[S]=C.attributes[S];C.collapsed&&(!f||Ht(f.marker,C)<0)&&(f=x)}else x.from>p&&v>x.from&&(v=x.from)}if(b)for(var k=0;k=h)break;for(var L=Math.min(h,v);;){if(m){var T=p+m.length;if(!f){var N=T>L?m.slice(0,L-p):m;t.addToken(t,N,l?l+a:a,c,p+N.length==v?u:"",s,d)}if(T>=L){m=m.slice(L-p),p=L;break}p=T,c=""}m=i.slice(o,o=r[g++]),l=Zt(r[g++],t.cm.options)}}else for(var O=1;Or)return{map:e.measure.maps[i],cache:e.measure.caches[i],before:!0}}function Ar(e,t,r,n){return Hr(e,Wr(e,t),r,n)}function Dr(e,t){if(t>=e.display.viewFrom&&t=r.lineN&&t2&&o.push((a.bottom+u.top)/2-r.top)}}o.push(r.bottom-r.top)}}(e,t.view,t.rect),t.hasHeights=!0),(o=function(e,t,r,n){var i,o=Pr(t.map,r,n),l=o.node,u=o.start,c=o.end,f=o.collapse;if(3==l.nodeType){for(var d=0;d<4;d++){for(;u&&ie(t.line.text.charAt(o.coverStart+u));)--u;for(;o.coverStart+c1}(e))return t;var r=screen.logicalXDPI/screen.deviceXDPI,n=screen.logicalYDPI/screen.deviceYDPI;return{left:t.left*r,right:t.right*r,top:t.top*n,bottom:t.bottom*n}}(e.display.measure,i))}else{var h;u>0&&(f=n="right"),i=e.options.lineWrapping&&(h=l.getClientRects()).length>1?h["right"==n?h.length-1:0]:l.getBoundingClientRect()}if(s&&a<9&&!u&&(!i||!i.left&&!i.right)){var p=l.parentNode.getClientRects()[0];i=p?{left:p.left,right:p.left+on(e.display),top:p.top,bottom:p.bottom}:Fr}for(var g=i.top-t.rect.top,m=i.bottom-t.rect.top,v=(g+m)/2,y=t.view.measure.heights,b=0;bt)&&(i=(o=a-s)-1,t>=a&&(l="right")),null!=i){if(n=e[u+2],s==a&&r==(n.insertLeft?"left":"right")&&(l=r),"left"==r&&0==i)for(;u&&e[u-2]==e[u-3]&&e[u-1].insertLeft;)n=e[2+(u-=3)],l="left";if("right"==r&&i==a-s)for(;u=0&&(r=e[i]).left==r.right;i--);return r}function Ir(e){if(e.measure&&(e.measure.cache={},e.measure.heights=null,e.rest))for(var t=0;t=n.text.length?(a=n.text.length,u="before"):a<=0&&(a=0,u="after"),!s)return l("before"==u?a-1:a,"before"==u);function c(e,t,r){return l(r?e-1:e,1==s[t].level!=r)}var f=ae(s,a,u),d=se,h=c(a,f,"before"==u);return null!=d&&(h.other=c(a,d,"before"!=u)),h}function Yr(e,t){var r=0;t=at(e.doc,t),e.options.lineWrapping||(r=on(e.display)*t.ch);var n=_e(e.doc,t.line),i=jt(n)+Sr(e.display);return{left:r,right:r,top:i,bottom:i+n.height}}function qr(e,t,r,n,i){var o=tt(e,t,r);return o.xRel=i,n&&(o.outside=n),o}function $r(e,t,r){var n=e.doc;if((r+=e.display.viewOffset)<0)return qr(n.first,0,null,-1,-1);var i=Je(n,r),o=n.first+n.size-1;if(i>o)return qr(n.first+n.size-1,_e(n,o).text.length,null,1,1);t<0&&(t=0);for(var l=_e(n,i);;){var s=en(e,l,i,t,r),a=Et(l,s.ch+(s.xRel>0||s.outside>0?1:0));if(!a)return s;var u=a.find(1);if(u.line==i)return u;l=_e(n,i=u.line)}}function Zr(e,t,r,n){n-=Vr(t);var i=t.text.length,o=le((function(t){return Hr(e,r,t-1).bottom<=n}),i,0);return{begin:o,end:i=le((function(t){return Hr(e,r,t).top>n}),o,i)}}function Jr(e,t,r,n){return r||(r=Wr(e,t)),Zr(e,t,r,jr(e,t,Hr(e,r,n),"line").top)}function Qr(e,t,r,n){return!(e.bottom<=r)&&(e.top>r||(n?e.left:e.right)>t)}function en(e,t,r,n,i){i-=jt(t);var o=Wr(e,t),l=Vr(t),s=0,a=t.text.length,u=!0,c=ce(t,e.doc.direction);if(c){var f=(e.options.lineWrapping?rn:tn)(e,t,r,o,c,n,i);s=(u=1!=f.level)?f.from:f.to-1,a=u?f.to:f.from-1}var d,h,p=null,g=null,m=le((function(t){var r=Hr(e,o,t);return r.top+=l,r.bottom+=l,!!Qr(r,n,i,!1)&&(r.top<=i&&r.left<=n&&(p=t,g=r),!0)}),s,a),v=!1;if(g){var y=n-g.left=w.bottom?1:0}return qr(r,m=oe(t.text,m,1),h,v,n-d)}function tn(e,t,r,n,i,o,l){var s=le((function(s){var a=i[s],u=1!=a.level;return Qr(_r(e,tt(r,u?a.to:a.from,u?"before":"after"),"line",t,n),o,l,!0)}),0,i.length-1),a=i[s];if(s>0){var u=1!=a.level,c=_r(e,tt(r,u?a.from:a.to,u?"after":"before"),"line",t,n);Qr(c,o,l,!0)&&c.top>l&&(a=i[s-1])}return a}function rn(e,t,r,n,i,o,l){var s=Zr(e,t,n,l),a=s.begin,u=s.end;/\s/.test(t.text.charAt(u-1))&&u--;for(var c=null,f=null,d=0;d=u||h.to<=a)){var p=Hr(e,n,1!=h.level?Math.min(u,h.to)-1:Math.max(a,h.from)).right,g=pg)&&(c=h,f=g)}}return c||(c=i[i.length-1]),c.fromu&&(c={from:c.from,to:u,level:c.level}),c}function nn(e){if(null!=e.cachedTextHeight)return e.cachedTextHeight;if(null==zr){zr=A("pre",null,"CodeMirror-line-like");for(var t=0;t<49;++t)zr.appendChild(document.createTextNode("x")),zr.appendChild(A("br"));zr.appendChild(document.createTextNode("x"))}O(e.measure,zr);var r=zr.offsetHeight/50;return r>3&&(e.cachedTextHeight=r),N(e.measure),r||1}function on(e){if(null!=e.cachedCharWidth)return e.cachedCharWidth;var t=A("span","xxxxxxxxxx"),r=A("pre",[t],"CodeMirror-line-like");O(e.measure,r);var n=t.getBoundingClientRect(),i=(n.right-n.left)/10;return i>2&&(e.cachedCharWidth=i),i||10}function ln(e){for(var t=e.display,r={},n={},i=t.gutters.clientLeft,o=t.gutters.firstChild,l=0;o;o=o.nextSibling,++l){var s=e.display.gutterSpecs[l].className;r[s]=o.offsetLeft+o.clientLeft+i,n[s]=o.clientWidth}return{fixedPos:sn(t),gutterTotalWidth:t.gutters.offsetWidth,gutterLeft:r,gutterWidth:n,wrapperWidth:t.wrapper.clientWidth}}function sn(e){return e.scroller.getBoundingClientRect().left-e.sizer.getBoundingClientRect().left}function an(e){var t=nn(e.display),r=e.options.lineWrapping,n=r&&Math.max(5,e.display.scroller.clientWidth/on(e.display)-3);return function(i){if(Ut(e.doc,i))return 0;var o=0;if(i.widgets)for(var l=0;l=e.display.viewTo)return null;if((t-=e.display.viewFrom)<0)return null;for(var r=e.display.view,n=0;nt)&&(i.updateLineNumbers=t),e.curOp.viewChanged=!0,t>=i.viewTo)St&&Bt(e.doc,t)i.viewFrom?pn(e):(i.viewFrom+=n,i.viewTo+=n);else if(t<=i.viewFrom&&r>=i.viewTo)pn(e);else if(t<=i.viewFrom){var o=gn(e,r,r+n,1);o?(i.view=i.view.slice(o.index),i.viewFrom=o.lineN,i.viewTo+=n):pn(e)}else if(r>=i.viewTo){var l=gn(e,t,t,-1);l?(i.view=i.view.slice(0,l.index),i.viewTo=l.lineN):pn(e)}else{var s=gn(e,t,t,-1),a=gn(e,r,r+n,1);s&&a?(i.view=i.view.slice(0,s.index).concat(or(e,s.lineN,a.lineN)).concat(i.view.slice(a.index)),i.viewTo+=n):pn(e)}var u=i.externalMeasured;u&&(r=i.lineN&&t=n.viewTo)){var o=n.view[fn(e,t)];if(null!=o.node){var l=o.changes||(o.changes=[]);-1==G(l,r)&&l.push(r)}}}function pn(e){e.display.viewFrom=e.display.viewTo=e.doc.first,e.display.view=[],e.display.viewOffset=0}function gn(e,t,r,n){var i,o=fn(e,t),l=e.display.view;if(!St||r==e.doc.first+e.doc.size)return{index:o,lineN:r};for(var s=e.display.viewFrom,a=0;a0){if(o==l.length-1)return null;i=s+l[o].size-t,o++}else i=s-t;t+=i,r+=i}for(;Bt(e.doc,r)!=r;){if(o==(n<0?0:l.length-1))return null;r+=n*l[o-(n<0?1:0)].size,o+=n}return{index:o,lineN:r}}function mn(e){for(var t=e.display.view,r=0,n=0;n=e.display.viewTo||s.to().linet||t==r&&l.to==t)&&(n(Math.max(l.from,t),Math.min(l.to,r),1==l.level?"rtl":"ltr",o),i=!0)}i||n(t,r,"ltr")}(g,r||0,null==n?d:n,(function(e,t,i,f){var m="ltr"==i,v=h(e,m?"left":"right"),y=h(t-1,m?"right":"left"),b=null==r&&0==e,w=null==n&&t==d,x=0==f,C=!g||f==g.length-1;if(y.top-v.top<=3){var S=(u?w:b)&&C,k=(u?b:w)&&x?s:(m?v:y).left,M=S?a:(m?y:v).right;c(k,v.top,M-k,v.bottom)}else{var L,T,N,O;m?(L=u&&b&&x?s:v.left,T=u?a:p(e,i,"before"),N=u?s:p(t,i,"after"),O=u&&w&&C?a:y.right):(L=u?p(e,i,"before"):s,T=!u&&b&&x?a:v.right,N=!u&&w&&C?s:y.left,O=u?p(t,i,"after"):a),c(L,v.top,T-L,v.bottom),v.bottom0?t.blinker=setInterval((function(){return t.cursorDiv.style.visibility=(r=!r)?"":"hidden"}),e.options.cursorBlinkRate):e.options.cursorBlinkRate<0&&(t.cursorDiv.style.visibility="hidden")}}function Sn(e){e.state.focused||(e.display.input.focus(),Mn(e))}function kn(e){e.state.delayingBlurEvent=!0,setTimeout((function(){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1,Ln(e))}),100)}function Mn(e,t){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1),"nocursor"!=e.options.readOnly&&(e.state.focused||(ge(e,"focus",e,t),e.state.focused=!0,z(e.display.wrapper,"CodeMirror-focused"),e.curOp||e.display.selForContextMenu==e.doc.sel||(e.display.input.reset(),u&&setTimeout((function(){return e.display.input.reset(!0)}),20)),e.display.input.receivedFocus()),Cn(e))}function Ln(e,t){e.state.delayingBlurEvent||(e.state.focused&&(ge(e,"blur",e,t),e.state.focused=!1,T(e.display.wrapper,"CodeMirror-focused")),clearInterval(e.display.blinker),setTimeout((function(){e.state.focused||(e.display.shift=!1)}),150))}function Tn(e){for(var t=e.display,r=t.lineDiv.offsetTop,n=0;n.005||d<-.005)&&($e(i.line,l),Nn(i.line),i.rest))for(var h=0;he.display.sizerWidth){var p=Math.ceil(u/on(e.display));p>e.display.maxLineLength&&(e.display.maxLineLength=p,e.display.maxLine=i.line,e.display.maxLineChanged=!0)}}}}function Nn(e){if(e.widgets)for(var t=0;t=l&&(o=Je(t,jt(_e(t,a))-e.wrapper.clientHeight),l=a)}return{from:o,to:Math.max(l,o+1)}}function An(e,t){var r=e.display,n=nn(e.display);t.top<0&&(t.top=0);var i=e.curOp&&null!=e.curOp.scrollTop?e.curOp.scrollTop:r.scroller.scrollTop,o=Nr(e),l={};t.bottom-t.top>o&&(t.bottom=t.top+o);var s=e.doc.height+kr(r),a=t.tops-n;if(t.topi+o){var c=Math.min(t.top,(u?s:t.bottom)-o);c!=i&&(l.scrollTop=c)}var f=e.curOp&&null!=e.curOp.scrollLeft?e.curOp.scrollLeft:r.scroller.scrollLeft,d=Tr(e)-(e.options.fixedGutter?r.gutters.offsetWidth:0),h=t.right-t.left>d;return h&&(t.right=t.left+d),t.left<10?l.scrollLeft=0:t.leftd+f-3&&(l.scrollLeft=t.right+(h?0:10)-d),l}function Dn(e,t){null!=t&&(zn(e),e.curOp.scrollTop=(null==e.curOp.scrollTop?e.doc.scrollTop:e.curOp.scrollTop)+t)}function Wn(e){zn(e);var t=e.getCursor();e.curOp.scrollToPos={from:t,to:t,margin:e.options.cursorScrollMargin}}function Hn(e,t,r){null==t&&null==r||zn(e),null!=t&&(e.curOp.scrollLeft=t),null!=r&&(e.curOp.scrollTop=r)}function zn(e){var t=e.curOp.scrollToPos;t&&(e.curOp.scrollToPos=null,Fn(e,Yr(e,t.from),Yr(e,t.to),t.margin))}function Fn(e,t,r,n){var i=An(e,{left:Math.min(t.left,r.left),top:Math.min(t.top,r.top)-n,right:Math.max(t.right,r.right),bottom:Math.max(t.bottom,r.bottom)+n});Hn(e,i.scrollLeft,i.scrollTop)}function Pn(e,t){Math.abs(e.doc.scrollTop-t)<2||(r||ui(e,{top:t}),En(e,t,!0),r&&ui(e),ii(e,100))}function En(e,t,r){t=Math.min(e.display.scroller.scrollHeight-e.display.scroller.clientHeight,t),(e.display.scroller.scrollTop!=t||r)&&(e.doc.scrollTop=t,e.display.scrollbars.setScrollTop(t),e.display.scroller.scrollTop!=t&&(e.display.scroller.scrollTop=t))}function In(e,t,r,n){t=Math.min(t,e.display.scroller.scrollWidth-e.display.scroller.clientWidth),(r?t==e.doc.scrollLeft:Math.abs(e.doc.scrollLeft-t)<2)&&!n||(e.doc.scrollLeft=t,di(e),e.display.scroller.scrollLeft!=t&&(e.display.scroller.scrollLeft=t),e.display.scrollbars.setScrollLeft(t))}function Rn(e){var t=e.display,r=t.gutters.offsetWidth,n=Math.round(e.doc.height+kr(e.display));return{clientHeight:t.scroller.clientHeight,viewHeight:t.wrapper.clientHeight,scrollWidth:t.scroller.scrollWidth,clientWidth:t.scroller.clientWidth,viewWidth:t.wrapper.clientWidth,barLeft:e.options.fixedGutter?r:0,docHeight:n,scrollHeight:n+Lr(e)+t.barHeight,nativeBarWidth:t.nativeBarWidth,gutterWidth:r}}var Bn=function(e,t,r){this.cm=r;var n=this.vert=A("div",[A("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),i=this.horiz=A("div",[A("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");n.tabIndex=i.tabIndex=-1,e(n),e(i),de(n,"scroll",(function(){n.clientHeight&&t(n.scrollTop,"vertical")})),de(i,"scroll",(function(){i.clientWidth&&t(i.scrollLeft,"horizontal")})),this.checkedZeroWidth=!1,s&&a<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};Bn.prototype.update=function(e){var t=e.scrollWidth>e.clientWidth+1,r=e.scrollHeight>e.clientHeight+1,n=e.nativeBarWidth;if(r){this.vert.style.display="block",this.vert.style.bottom=t?n+"px":"0";var i=e.viewHeight-(t?n:0);this.vert.firstChild.style.height=Math.max(0,e.scrollHeight-e.clientHeight+i)+"px"}else this.vert.style.display="",this.vert.firstChild.style.height="0";if(t){this.horiz.style.display="block",this.horiz.style.right=r?n+"px":"0",this.horiz.style.left=e.barLeft+"px";var o=e.viewWidth-e.barLeft-(r?n:0);this.horiz.firstChild.style.width=Math.max(0,e.scrollWidth-e.clientWidth+o)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&e.clientHeight>0&&(0==n&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:r?n:0,bottom:t?n:0}},Bn.prototype.setScrollLeft=function(e){this.horiz.scrollLeft!=e&&(this.horiz.scrollLeft=e),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},Bn.prototype.setScrollTop=function(e){this.vert.scrollTop!=e&&(this.vert.scrollTop=e),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},Bn.prototype.zeroWidthHack=function(){var e=b&&!p?"12px":"18px";this.horiz.style.height=this.vert.style.width=e,this.horiz.style.pointerEvents=this.vert.style.pointerEvents="none",this.disableHoriz=new B,this.disableVert=new B},Bn.prototype.enableZeroWidthBar=function(e,t,r){e.style.pointerEvents="auto",t.set(1e3,(function n(){var i=e.getBoundingClientRect();("vert"==r?document.elementFromPoint(i.right-1,(i.top+i.bottom)/2):document.elementFromPoint((i.right+i.left)/2,i.bottom-1))!=e?e.style.pointerEvents="none":t.set(1e3,n)}))},Bn.prototype.clear=function(){var e=this.horiz.parentNode;e.removeChild(this.horiz),e.removeChild(this.vert)};var Gn=function(){};function Un(e,t){t||(t=Rn(e));var r=e.display.barWidth,n=e.display.barHeight;Vn(e,t);for(var i=0;i<4&&r!=e.display.barWidth||n!=e.display.barHeight;i++)r!=e.display.barWidth&&e.options.lineWrapping&&Tn(e),Vn(e,Rn(e)),r=e.display.barWidth,n=e.display.barHeight}function Vn(e,t){var r=e.display,n=r.scrollbars.update(t);r.sizer.style.paddingRight=(r.barWidth=n.right)+"px",r.sizer.style.paddingBottom=(r.barHeight=n.bottom)+"px",r.heightForcer.style.borderBottom=n.bottom+"px solid transparent",n.right&&n.bottom?(r.scrollbarFiller.style.display="block",r.scrollbarFiller.style.height=n.bottom+"px",r.scrollbarFiller.style.width=n.right+"px"):r.scrollbarFiller.style.display="",n.bottom&&e.options.coverGutterNextToScrollbar&&e.options.fixedGutter?(r.gutterFiller.style.display="block",r.gutterFiller.style.height=n.bottom+"px",r.gutterFiller.style.width=t.gutterWidth+"px"):r.gutterFiller.style.display=""}Gn.prototype.update=function(){return{bottom:0,right:0}},Gn.prototype.setScrollLeft=function(){},Gn.prototype.setScrollTop=function(){},Gn.prototype.clear=function(){};var jn={native:Bn,null:Gn};function Kn(e){e.display.scrollbars&&(e.display.scrollbars.clear(),e.display.scrollbars.addClass&&T(e.display.wrapper,e.display.scrollbars.addClass)),e.display.scrollbars=new jn[e.options.scrollbarStyle]((function(t){e.display.wrapper.insertBefore(t,e.display.scrollbarFiller),de(t,"mousedown",(function(){e.state.focused&&setTimeout((function(){return e.display.input.focus()}),0)})),t.setAttribute("cm-not-content","true")}),(function(t,r){"horizontal"==r?In(e,t):Pn(e,t)}),e),e.display.scrollbars.addClass&&z(e.display.wrapper,e.display.scrollbars.addClass)}var Xn=0;function _n(e){var t;e.curOp={cm:e,viewChanged:!1,startHeight:e.doc.height,forceUpdate:!1,updateInput:0,typing:!1,changeObjs:null,cursorActivityHandlers:null,cursorActivityCalled:0,selectionChanged:!1,updateMaxLine:!1,scrollLeft:null,scrollTop:null,scrollToPos:null,focus:!1,id:++Xn},t=e.curOp,lr?lr.ops.push(t):t.ownsGroup=lr={ops:[t],delayedCallbacks:[]}}function Yn(e){var t=e.curOp;t&&function(e,t){var r=e.ownsGroup;if(r)try{!function(e){var t=e.delayedCallbacks,r=0;do{for(;r=r.viewTo)||r.maxLineChanged&&t.options.lineWrapping,e.update=e.mustUpdate&&new li(t,e.mustUpdate&&{top:e.scrollTop,ensure:e.scrollToPos},e.forceUpdate)}function $n(e){e.updatedDisplay=e.mustUpdate&&si(e.cm,e.update)}function Zn(e){var t=e.cm,r=t.display;e.updatedDisplay&&Tn(t),e.barMeasure=Rn(t),r.maxLineChanged&&!t.options.lineWrapping&&(e.adjustWidthTo=Ar(t,r.maxLine,r.maxLine.text.length).left+3,t.display.sizerWidth=e.adjustWidthTo,e.barMeasure.scrollWidth=Math.max(r.scroller.clientWidth,r.sizer.offsetLeft+e.adjustWidthTo+Lr(t)+t.display.barWidth),e.maxScrollLeft=Math.max(0,r.sizer.offsetLeft+e.adjustWidthTo-Tr(t))),(e.updatedDisplay||e.selectionChanged)&&(e.preparedSelection=r.input.prepareSelection())}function Jn(e){var t=e.cm;null!=e.adjustWidthTo&&(t.display.sizer.style.minWidth=e.adjustWidthTo+"px",e.maxScrollLeft(window.innerHeight||document.documentElement.clientHeight)&&(i=!1),null!=i&&!g){var o=A("div","​",null,"position: absolute;\n top: "+(t.top-r.viewOffset-Sr(e.display))+"px;\n height: "+(t.bottom-t.top+Lr(e)+r.barHeight)+"px;\n left: "+t.left+"px; width: "+Math.max(2,t.right-t.left)+"px;");e.display.lineSpace.appendChild(o),o.scrollIntoView(i),e.display.lineSpace.removeChild(o)}}}(t,function(e,t,r,n){var i;null==n&&(n=0),e.options.lineWrapping||t!=r||(r="before"==(t=t.ch?tt(t.line,"before"==t.sticky?t.ch-1:t.ch,"after"):t).sticky?tt(t.line,t.ch+1,"before"):t);for(var o=0;o<5;o++){var l=!1,s=_r(e,t),a=r&&r!=t?_r(e,r):s,u=An(e,i={left:Math.min(s.left,a.left),top:Math.min(s.top,a.top)-n,right:Math.max(s.left,a.left),bottom:Math.max(s.bottom,a.bottom)+n}),c=e.doc.scrollTop,f=e.doc.scrollLeft;if(null!=u.scrollTop&&(Pn(e,u.scrollTop),Math.abs(e.doc.scrollTop-c)>1&&(l=!0)),null!=u.scrollLeft&&(In(e,u.scrollLeft),Math.abs(e.doc.scrollLeft-f)>1&&(l=!0)),!l)break}return i}(t,at(n,e.scrollToPos.from),at(n,e.scrollToPos.to),e.scrollToPos.margin));var i=e.maybeHiddenMarkers,o=e.maybeUnhiddenMarkers;if(i)for(var l=0;l=e.display.viewTo)){var r=+new Date+e.options.workTime,n=pt(e,t.highlightFrontier),i=[];t.iter(n.line,Math.min(t.first+t.size,e.display.viewTo+500),(function(o){if(n.line>=e.display.viewFrom){var l=o.styles,s=o.text.length>e.options.maxHighlightLength?Ve(t.mode,n.state):null,a=dt(e,o,n,!0);s&&(n.state=s),o.styles=a.styles;var u=o.styleClasses,c=a.classes;c?o.styleClasses=c:u&&(o.styleClasses=null);for(var f=!l||l.length!=o.styles.length||u!=c&&(!u||!c||u.bgClass!=c.bgClass||u.textClass!=c.textClass),d=0;!f&&dr)return ii(e,e.options.workDelay),!0})),t.highlightFrontier=n.line,t.modeFrontier=Math.max(t.modeFrontier,n.line),i.length&&ei(e,(function(){for(var t=0;t=r.viewFrom&&t.visible.to<=r.viewTo&&(null==r.updateLineNumbers||r.updateLineNumbers>=r.viewTo)&&r.renderedView==r.view&&0==mn(e))return!1;hi(e)&&(pn(e),t.dims=ln(e));var i=n.first+n.size,o=Math.max(t.visible.from-e.options.viewportMargin,n.first),l=Math.min(i,t.visible.to+e.options.viewportMargin);r.viewFroml&&r.viewTo-l<20&&(l=Math.min(i,r.viewTo)),St&&(o=Bt(e.doc,o),l=Gt(e.doc,l));var s=o!=r.viewFrom||l!=r.viewTo||r.lastWrapHeight!=t.wrapperHeight||r.lastWrapWidth!=t.wrapperWidth;!function(e,t,r){var n=e.display;0==n.view.length||t>=n.viewTo||r<=n.viewFrom?(n.view=or(e,t,r),n.viewFrom=t):(n.viewFrom>t?n.view=or(e,t,n.viewFrom).concat(n.view):n.viewFromr&&(n.view=n.view.slice(0,fn(e,r)))),n.viewTo=r}(e,o,l),r.viewOffset=jt(_e(e.doc,r.viewFrom)),e.display.mover.style.top=r.viewOffset+"px";var a=mn(e);if(!s&&0==a&&!t.force&&r.renderedView==r.view&&(null==r.updateLineNumbers||r.updateLineNumbers>=r.viewTo))return!1;var c=function(e){if(e.hasFocus())return null;var t=H();if(!t||!W(e.display.lineDiv,t))return null;var r={activeElt:t};if(window.getSelection){var n=window.getSelection();n.anchorNode&&n.extend&&W(e.display.lineDiv,n.anchorNode)&&(r.anchorNode=n.anchorNode,r.anchorOffset=n.anchorOffset,r.focusNode=n.focusNode,r.focusOffset=n.focusOffset)}return r}(e);return a>4&&(r.lineDiv.style.display="none"),function(e,t,r){var n=e.display,i=e.options.lineNumbers,o=n.lineDiv,l=o.firstChild;function s(t){var r=t.nextSibling;return u&&b&&e.display.currentWheelTarget==t?t.style.display="none":t.parentNode.removeChild(t),r}for(var a=n.view,c=n.viewFrom,f=0;f-1&&(h=!1),cr(e,d,c,r)),h&&(N(d.lineNumber),d.lineNumber.appendChild(document.createTextNode(et(e.options,c)))),l=d.node.nextSibling}else{var p=vr(e,d,c,r);o.insertBefore(p,l)}c+=d.size}for(;l;)l=s(l)}(e,r.updateLineNumbers,t.dims),a>4&&(r.lineDiv.style.display=""),r.renderedView=r.view,function(e){if(e&&e.activeElt&&e.activeElt!=H()&&(e.activeElt.focus(),e.anchorNode&&W(document.body,e.anchorNode)&&W(document.body,e.focusNode))){var t=window.getSelection(),r=document.createRange();r.setEnd(e.anchorNode,e.anchorOffset),r.collapse(!1),t.removeAllRanges(),t.addRange(r),t.extend(e.focusNode,e.focusOffset)}}(c),N(r.cursorDiv),N(r.selectionDiv),r.gutters.style.height=r.sizer.style.minHeight=0,s&&(r.lastWrapHeight=t.wrapperHeight,r.lastWrapWidth=t.wrapperWidth,ii(e,400)),r.updateLineNumbers=null,!0}function ai(e,t){for(var r=t.viewport,n=!0;(n&&e.options.lineWrapping&&t.oldDisplayWidth!=Tr(e)||(r&&null!=r.top&&(r={top:Math.min(e.doc.height+kr(e.display)-Nr(e),r.top)}),t.visible=On(e.display,e.doc,r),!(t.visible.from>=e.display.viewFrom&&t.visible.to<=e.display.viewTo)))&&si(e,t);n=!1){Tn(e);var i=Rn(e);vn(e),Un(e,i),fi(e,i),t.force=!1}t.signal(e,"update",e),e.display.viewFrom==e.display.reportedViewFrom&&e.display.viewTo==e.display.reportedViewTo||(t.signal(e,"viewportChange",e,e.display.viewFrom,e.display.viewTo),e.display.reportedViewFrom=e.display.viewFrom,e.display.reportedViewTo=e.display.viewTo)}function ui(e,t){var r=new li(e,t);if(si(e,r)){Tn(e),ai(e,r);var n=Rn(e);vn(e),Un(e,n),fi(e,n),r.finish()}}function ci(e){var t=e.gutters.offsetWidth;e.sizer.style.marginLeft=t+"px"}function fi(e,t){e.display.sizer.style.minHeight=t.docHeight+"px",e.display.heightForcer.style.top=t.docHeight+"px",e.display.gutters.style.height=t.docHeight+e.display.barHeight+Lr(e)+"px"}function di(e){var t=e.display,r=t.view;if(t.alignWidgets||t.gutters.firstChild&&e.options.fixedGutter){for(var n=sn(t)-t.scroller.scrollLeft+e.doc.scrollLeft,i=t.gutters.offsetWidth,o=n+"px",l=0;ls.clientWidth,c=s.scrollHeight>s.clientHeight;if(i&&a||o&&c){if(o&&b&&u)e:for(var f=t.target,h=l.view;f!=s;f=f.parentNode)for(var p=0;p=0&&rt(e,n.to())<=0)return r}return-1};var ki=function(e,t){this.anchor=e,this.head=t};function Mi(e,t,r){var n=e&&e.options.selectionsMayTouch,i=t[r];t.sort((function(e,t){return rt(e.from(),t.from())})),r=G(t,i);for(var o=1;o0:a>=0){var u=lt(s.from(),l.from()),c=ot(s.to(),l.to()),f=s.empty()?l.from()==l.head:s.from()==s.head;o<=r&&--r,t.splice(--o,2,new ki(f?c:u,f?u:c))}}return new Si(t,r)}function Li(e,t){return new Si([new ki(e,t||e)],0)}function Ti(e){return e.text?tt(e.from.line+e.text.length-1,q(e.text).length+(1==e.text.length?e.from.ch:0)):e.to}function Ni(e,t){if(rt(e,t.from)<0)return e;if(rt(e,t.to)<=0)return Ti(t);var r=e.line+t.text.length-(t.to.line-t.from.line)-1,n=e.ch;return e.line==t.to.line&&(n+=Ti(t).ch-t.to.ch),tt(r,n)}function Oi(e,t){for(var r=[],n=0;n1&&e.remove(s.line+1,p-1),e.insert(s.line+1,v)}ar(e,"change",e,t)}function Fi(e,t,r){!function e(n,i,o){if(n.linked)for(var l=0;ls-(e.cm?e.cm.options.historyEventDelay:500)||"*"==t.origin.charAt(0)))&&(o=function(e,t){return t?(Bi(e.done),q(e.done)):e.done.length&&!q(e.done).ranges?q(e.done):e.done.length>1&&!e.done[e.done.length-2].ranges?(e.done.pop(),q(e.done)):void 0}(i,i.lastOp==n)))l=q(o.changes),0==rt(t.from,t.to)&&0==rt(t.from,l.to)?l.to=Ti(t):o.changes.push(Ri(e,t));else{var a=q(i.done);for(a&&a.ranges||Vi(e.sel,i.done),o={changes:[Ri(e,t)],generation:i.generation},i.done.push(o);i.done.length>i.undoDepth;)i.done.shift(),i.done[0].ranges||i.done.shift()}i.done.push(r),i.generation=++i.maxGeneration,i.lastModTime=i.lastSelTime=s,i.lastOp=i.lastSelOp=n,i.lastOrigin=i.lastSelOrigin=t.origin,l||ge(e,"historyAdded")}function Ui(e,t,r,n){var i=e.history,o=n&&n.origin;r==i.lastSelOp||o&&i.lastSelOrigin==o&&(i.lastModTime==i.lastSelTime&&i.lastOrigin==o||function(e,t,r,n){var i=t.charAt(0);return"*"==i||"+"==i&&r.ranges.length==n.ranges.length&&r.somethingSelected()==n.somethingSelected()&&new Date-e.history.lastSelTime<=(e.cm?e.cm.options.historyEventDelay:500)}(e,o,q(i.done),t))?i.done[i.done.length-1]=t:Vi(t,i.done),i.lastSelTime=+new Date,i.lastSelOrigin=o,i.lastSelOp=r,n&&!1!==n.clearRedo&&Bi(i.undone)}function Vi(e,t){var r=q(t);r&&r.ranges&&r.equals(e)||t.push(e)}function ji(e,t,r,n){var i=t["spans_"+e.id],o=0;e.iter(Math.max(e.first,r),Math.min(e.first+e.size,n),(function(r){r.markedSpans&&((i||(i=t["spans_"+e.id]={}))[o]=r.markedSpans),++o}))}function Ki(e){if(!e)return null;for(var t,r=0;r-1&&(q(s)[f]=u[f],delete u[f])}}}return n}function Yi(e,t,r,n){if(n){var i=e.anchor;if(r){var o=rt(t,i)<0;o!=rt(r,i)<0?(i=t,t=r):o!=rt(t,r)<0&&(t=r)}return new ki(i,t)}return new ki(r||t,t)}function qi(e,t,r,n,i){null==i&&(i=e.cm&&(e.cm.display.shift||e.extend)),eo(e,new Si([Yi(e.sel.primary(),t,r,i)],0),n)}function $i(e,t,r){for(var n=[],i=e.cm&&(e.cm.display.shift||e.extend),o=0;o=t.ch:s.to>t.ch))){if(i&&(ge(a,"beforeCursorEnter"),a.explicitlyCleared)){if(o.markedSpans){--l;continue}break}if(!a.atomic)continue;if(r){var f=a.find(n<0?1:-1),d=void 0;if((n<0?c:u)&&(f=so(e,f,-n,f&&f.line==t.line?o:null)),f&&f.line==t.line&&(d=rt(f,r))&&(n<0?d<0:d>0))return oo(e,f,t,n,i)}var h=a.find(n<0?-1:1);return(n<0?u:c)&&(h=so(e,h,n,h.line==t.line?o:null)),h?oo(e,h,t,n,i):null}}return t}function lo(e,t,r,n,i){var o=n||1,l=oo(e,t,r,o,i)||!i&&oo(e,t,r,o,!0)||oo(e,t,r,-o,i)||!i&&oo(e,t,r,-o,!0);return l||(e.cantEdit=!0,tt(e.first,0))}function so(e,t,r,n){return r<0&&0==t.ch?t.line>e.first?at(e,tt(t.line-1)):null:r>0&&t.ch==(n||_e(e,t.line)).text.length?t.line0)){var c=[a,1],f=rt(u.from,s.from),d=rt(u.to,s.to);(f<0||!l.inclusiveLeft&&!f)&&c.push({from:u.from,to:s.from}),(d>0||!l.inclusiveRight&&!d)&&c.push({from:s.to,to:u.to}),i.splice.apply(i,c),a+=c.length-3}}return i}(e,t.from,t.to);if(n)for(var i=n.length-1;i>=0;--i)fo(e,{from:n[i].from,to:n[i].to,text:i?[""]:t.text,origin:t.origin});else fo(e,t)}}function fo(e,t){if(1!=t.text.length||""!=t.text[0]||0!=rt(t.from,t.to)){var r=Oi(e,t);Gi(e,t,r,e.cm?e.cm.curOp.id:NaN),go(e,t,r,Tt(e,t));var n=[];Fi(e,(function(e,r){r||-1!=G(n,e.history)||(bo(e.history,t),n.push(e.history)),go(e,t,null,Tt(e,t))}))}}function ho(e,t,r){var n=e.cm&&e.cm.state.suppressEdits;if(!n||r){for(var i,o=e.history,l=e.sel,s="undo"==t?o.done:o.undone,a="undo"==t?o.undone:o.done,u=0;u=0;--h){var p=d(h);if(p)return p.v}}}}function po(e,t){if(0!=t&&(e.first+=t,e.sel=new Si($(e.sel.ranges,(function(e){return new ki(tt(e.anchor.line+t,e.anchor.ch),tt(e.head.line+t,e.head.ch))})),e.sel.primIndex),e.cm)){dn(e.cm,e.first,e.first-t,t);for(var r=e.cm.display,n=r.viewFrom;ne.lastLine())){if(t.from.lineo&&(t={from:t.from,to:tt(o,_e(e,o).text.length),text:[t.text[0]],origin:t.origin}),t.removed=Ye(e,t.from,t.to),r||(r=Oi(e,t)),e.cm?function(e,t,r){var n=e.doc,i=e.display,o=t.from,l=t.to,s=!1,a=o.line;e.options.lineWrapping||(a=Ze(Rt(_e(n,o.line))),n.iter(a,l.line+1,(function(e){if(e==i.maxLine)return s=!0,!0}))),n.sel.contains(t.from,t.to)>-1&&ve(e),zi(n,t,r,an(e)),e.options.lineWrapping||(n.iter(a,o.line+t.text.length,(function(e){var t=Kt(e);t>i.maxLineLength&&(i.maxLine=e,i.maxLineLength=t,i.maxLineChanged=!0,s=!1)})),s&&(e.curOp.updateMaxLine=!0)),function(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontierr;n--){var i=_e(e,n).stateAfter;if(i&&(!(i instanceof ct)||n+i.lookAhead1||!(this.children[0]instanceof xo))){var s=[];this.collapse(s),this.children=[new xo(s)],this.children[0].parent=this}},collapse:function(e){for(var t=0;t50){for(var l=i.lines.length%25+25,s=l;s10);e.parent.maybeSpill()}},iterN:function(e,t,r){for(var n=0;n0||0==l&&!1!==o.clearWhenEmpty)return o;if(o.replacedWith&&(o.collapsed=!0,o.widgetNode=D("span",[o.replacedWith],"CodeMirror-widget"),n.handleMouseEvents||o.widgetNode.setAttribute("cm-ignore-events","true"),n.insertLeft&&(o.widgetNode.insertLeft=!0)),o.collapsed){if(It(e,t.line,t,r,o)||t.line!=r.line&&It(e,r.line,t,r,o))throw new Error("Inserting collapsed marker partially overlapping an existing one");St=!0}o.addToHistory&&Gi(e,{from:t,to:r,origin:"markText"},e.sel,NaN);var s,a=t.line,u=e.cm;if(e.iter(a,r.line+1,(function(e){u&&o.collapsed&&!u.options.lineWrapping&&Rt(e)==u.display.maxLine&&(s=!0),o.collapsed&&a!=t.line&&$e(e,0),function(e,t){e.markedSpans=e.markedSpans?e.markedSpans.concat([t]):[t],t.marker.attachLine(e)}(e,new kt(o,a==t.line?t.ch:null,a==r.line?r.ch:null)),++a})),o.collapsed&&e.iter(t.line,r.line+1,(function(t){Ut(e,t)&&$e(t,0)})),o.clearOnEnter&&de(o,"beforeCursorEnter",(function(){return o.clear()})),o.readOnly&&(Ct=!0,(e.history.done.length||e.history.undone.length)&&e.clearHistory()),o.collapsed&&(o.id=++Mo,o.atomic=!0),u){if(s&&(u.curOp.updateMaxLine=!0),o.collapsed)dn(u,t.line,r.line+1);else if(o.className||o.startStyle||o.endStyle||o.css||o.attributes||o.title)for(var c=t.line;c<=r.line;c++)hn(u,c,"text");o.atomic&&no(u.doc),ar(u,"markerAdded",u,o)}return o}Lo.prototype.clear=function(){if(!this.explicitlyCleared){var e=this.doc.cm,t=e&&!e.curOp;if(t&&_n(e),ye(this,"clear")){var r=this.find();r&&ar(this,"clear",r.from,r.to)}for(var n=null,i=null,o=0;oe.display.maxLineLength&&(e.display.maxLine=u,e.display.maxLineLength=c,e.display.maxLineChanged=!0)}null!=n&&e&&this.collapsed&&dn(e,n,i+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,e&&no(e.doc)),e&&ar(e,"markerCleared",e,this,n,i),t&&Yn(e),this.parent&&this.parent.clear()}},Lo.prototype.find=function(e,t){var r,n;null==e&&"bookmark"==this.type&&(e=1);for(var i=0;i=0;a--)co(this,n[a]);s?Qi(this,s):this.cm&&Wn(this.cm)})),undo:ni((function(){ho(this,"undo")})),redo:ni((function(){ho(this,"redo")})),undoSelection:ni((function(){ho(this,"undo",!0)})),redoSelection:ni((function(){ho(this,"redo",!0)})),setExtending:function(e){this.extend=e},getExtending:function(){return this.extend},historySize:function(){for(var e=this.history,t=0,r=0,n=0;n=e.ch)&&t.push(i.marker.parent||i.marker)}return t},findMarks:function(e,t,r){e=at(this,e),t=at(this,t);var n=[],i=e.line;return this.iter(e.line,t.line+1,(function(o){var l=o.markedSpans;if(l)for(var s=0;s=a.to||null==a.from&&i!=e.line||null!=a.from&&i==t.line&&a.from>=t.ch||r&&!r(a.marker)||n.push(a.marker.parent||a.marker)}++i})),n},getAllMarks:function(){var e=[];return this.iter((function(t){var r=t.markedSpans;if(r)for(var n=0;ne)return t=e,!0;e-=o,++r})),at(this,tt(r,t))},indexFromPos:function(e){var t=(e=at(this,e)).ch;if(e.linet&&(t=e.from),null!=e.to&&e.to-1)return t.state.draggingText(e),void setTimeout((function(){return t.display.input.focus()}),20);try{var c=e.dataTransfer.getData("Text");if(c){var f;if(t.state.draggingText&&!t.state.draggingText.copy&&(f=t.listSelections()),to(t.doc,Li(r,r)),f)for(var d=0;d=0;t--)mo(e.doc,"",n[t].from,n[t].to,"+delete");Wn(e)}))}function Qo(e,t,r){var n=oe(e.text,t+r,r);return n<0||n>e.text.length?null:n}function el(e,t,r){var n=Qo(e,t.ch,r);return null==n?null:new tt(t.line,n,r<0?"after":"before")}function tl(e,t,r,n,i){if(e){var o=ce(r,t.doc.direction);if(o){var l,s=i<0?q(o):o[0],a=i<0==(1==s.level)?"after":"before";if(s.level>0||"rtl"==t.doc.direction){var u=Wr(t,r);l=i<0?r.text.length-1:0;var c=Hr(t,u,l).top;l=le((function(e){return Hr(t,u,e).top==c}),i<0==(1==s.level)?s.from:s.to-1,l),"before"==a&&(l=Qo(r,l,1))}else l=i<0?s.to:s.from;return new tt(n,l,a)}}return new tt(n,i<0?r.text.length:0,i<0?"before":"after")}jo.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},jo.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},jo.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Alt-F":"goWordRight","Alt-B":"goWordLeft","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-D":"delWordAfter","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},jo.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},jo.default=b?jo.macDefault:jo.pcDefault;var rl={selectAll:ao,singleSelection:function(e){return e.setSelection(e.getCursor("anchor"),e.getCursor("head"),V)},killLine:function(e){return Jo(e,(function(t){if(t.empty()){var r=_e(e.doc,t.head.line).text.length;return t.head.ch==r&&t.head.line0)i=new tt(i.line,i.ch+1),e.replaceRange(o.charAt(i.ch-1)+o.charAt(i.ch-2),tt(i.line,i.ch-2),i,"+transpose");else if(i.line>e.doc.first){var l=_e(e.doc,i.line-1).text;l&&(i=new tt(i.line,1),e.replaceRange(o.charAt(0)+e.doc.lineSeparator()+l.charAt(l.length-1),tt(i.line-1,l.length-1),i,"+transpose"))}r.push(new ki(i,i))}e.setSelections(r)}))},newlineAndIndent:function(e){return ei(e,(function(){for(var t=e.listSelections(),r=t.length-1;r>=0;r--)e.replaceRange(e.doc.lineSeparator(),t[r].anchor,t[r].head,"+input");t=e.listSelections();for(var n=0;n-1&&(rt((i=l.ranges[i]).from(),t)<0||t.xRel>0)&&(rt(i.to(),t)>0||t.xRel<0)?function(e,t,r,n){var i=e.display,o=!1,l=ti(e,(function(t){u&&(i.scroller.draggable=!1),e.state.draggingText=!1,pe(i.wrapper.ownerDocument,"mouseup",l),pe(i.wrapper.ownerDocument,"mousemove",c),pe(i.scroller,"dragstart",f),pe(i.scroller,"drop",l),o||(we(t),n.addNew||qi(e.doc,r,null,null,n.extend),u||s&&9==a?setTimeout((function(){i.wrapper.ownerDocument.body.focus(),i.input.focus()}),20):i.input.focus())})),c=function(e){o=o||Math.abs(t.clientX-e.clientX)+Math.abs(t.clientY-e.clientY)>=10},f=function(){return o=!0};u&&(i.scroller.draggable=!0),e.state.draggingText=l,l.copy=!n.moveOnDrag,i.scroller.dragDrop&&i.scroller.dragDrop(),de(i.wrapper.ownerDocument,"mouseup",l),de(i.wrapper.ownerDocument,"mousemove",c),de(i.scroller,"dragstart",f),de(i.scroller,"drop",l),kn(e),setTimeout((function(){return i.input.focus()}),20)}(e,n,t,o):function(e,t,r,n){var i=e.display,o=e.doc;we(t);var l,s,a=o.sel,u=a.ranges;if(n.addNew&&!n.extend?(s=o.sel.contains(r),l=s>-1?u[s]:new ki(r,r)):(l=o.sel.primary(),s=o.sel.primIndex),"rectangle"==n.unit)n.addNew||(l=new ki(r,r)),r=cn(e,t,!0,!0),s=-1;else{var c=yl(e,r,n.unit);l=n.extend?Yi(l,c.anchor,c.head,n.extend):c}n.addNew?-1==s?(s=u.length,eo(o,Mi(e,u.concat([l]),s),{scroll:!1,origin:"*mouse"})):u.length>1&&u[s].empty()&&"char"==n.unit&&!n.extend?(eo(o,Mi(e,u.slice(0,s).concat(u.slice(s+1)),0),{scroll:!1,origin:"*mouse"}),a=o.sel):Zi(o,s,l,j):(s=0,eo(o,new Si([l],0),j),a=o.sel);var f=r;function d(t){if(0!=rt(f,t))if(f=t,"rectangle"==n.unit){for(var i=[],u=e.options.tabSize,c=R(_e(o,r.line).text,r.ch,u),d=R(_e(o,t.line).text,t.ch,u),h=Math.min(c,d),p=Math.max(c,d),g=Math.min(r.line,t.line),m=Math.min(e.lastLine(),Math.max(r.line,t.line));g<=m;g++){var v=_e(o,g).text,y=X(v,h,u);h==p?i.push(new ki(tt(g,y),tt(g,y))):v.length>y&&i.push(new ki(tt(g,y),tt(g,X(v,p,u))))}i.length||i.push(new ki(r,r)),eo(o,Mi(e,a.ranges.slice(0,s).concat(i),s),{origin:"*mouse",scroll:!1}),e.scrollIntoView(t)}else{var b,w=l,x=yl(e,t,n.unit),C=w.anchor;rt(x.anchor,C)>0?(b=x.head,C=lt(w.from(),x.anchor)):(b=x.anchor,C=ot(w.to(),x.head));var S=a.ranges.slice(0);S[s]=function(e,t){var r=t.anchor,n=t.head,i=_e(e.doc,r.line);if(0==rt(r,n)&&r.sticky==n.sticky)return t;var o=ce(i);if(!o)return t;var l=ae(o,r.ch,r.sticky),s=o[l];if(s.from!=r.ch&&s.to!=r.ch)return t;var a,u=l+(s.from==r.ch==(1!=s.level)?0:1);if(0==u||u==o.length)return t;if(n.line!=r.line)a=(n.line-r.line)*("ltr"==e.doc.direction?1:-1)>0;else{var c=ae(o,n.ch,n.sticky),f=c-l||(n.ch-r.ch)*(1==s.level?-1:1);a=c==u-1||c==u?f<0:f>0}var d=o[u+(a?-1:0)],h=a==(1==d.level),p=h?d.from:d.to,g=h?"after":"before";return r.ch==p&&r.sticky==g?t:new ki(new tt(r.line,p,g),n)}(e,new ki(at(o,C),b)),eo(o,Mi(e,S,s),j)}}var h=i.wrapper.getBoundingClientRect(),p=0;function g(t){e.state.selectingText=!1,p=1/0,t&&(we(t),i.input.focus()),pe(i.wrapper.ownerDocument,"mousemove",m),pe(i.wrapper.ownerDocument,"mouseup",v),o.history.lastSelOrigin=null}var m=ti(e,(function(t){0!==t.buttons&&Me(t)?function t(r){var l=++p,s=cn(e,r,!0,"rectangle"==n.unit);if(s)if(0!=rt(s,f)){e.curOp.focus=H(),d(s);var a=On(i,o);(s.line>=a.to||s.lineh.bottom?20:0;u&&setTimeout(ti(e,(function(){p==l&&(i.scroller.scrollTop+=u,t(r))})),50)}}(t):g(t)})),v=ti(e,g);e.state.selectingText=v,de(i.wrapper.ownerDocument,"mousemove",m),de(i.wrapper.ownerDocument,"mouseup",v)}(e,n,t,o)}(t,n,o,e):ke(e)==r.scroller&&we(e):2==i?(n&&qi(t.doc,n),setTimeout((function(){return r.input.focus()}),20)):3==i&&(k?t.display.input.onContextMenu(e):kn(t)))}}function yl(e,t,r){if("char"==r)return new ki(t,t);if("word"==r)return e.findWordAt(t);if("line"==r)return new ki(tt(t.line,0),at(e.doc,tt(t.line+1,0)));var n=r(e,t);return new ki(n.from,n.to)}function bl(e,t,r,n){var i,o;if(t.touches)i=t.touches[0].clientX,o=t.touches[0].clientY;else try{i=t.clientX,o=t.clientY}catch(t){return!1}if(i>=Math.floor(e.display.gutters.getBoundingClientRect().right))return!1;n&&we(t);var l=e.display,s=l.lineDiv.getBoundingClientRect();if(o>s.bottom||!ye(e,r))return Ce(t);o-=s.top-l.viewOffset;for(var a=0;a=i)return ge(e,r,e,Je(e.doc,o),e.display.gutterSpecs[a].className,t),Ce(t)}}function wl(e,t){return bl(e,t,"gutterClick",!0)}function xl(e,t){Cr(e.display,t)||function(e,t){return!!ye(e,"gutterContextMenu")&&bl(e,t,"gutterContextMenu",!1)}(e,t)||me(e,t,"contextmenu")||k||e.display.input.onContextMenu(t)}function Cl(e){e.display.wrapper.className=e.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+e.options.theme.replace(/(^|\s)\s*/g," cm-s-"),Br(e)}ml.prototype.compare=function(e,t,r){return this.time+400>e&&0==rt(t,this.pos)&&r==this.button};var Sl={toString:function(){return"CodeMirror.Init"}},kl={},Ml={};function Ll(e,t,r){if(!t!=!(r&&r!=Sl)){var n=e.display.dragFunctions,i=t?de:pe;i(e.display.scroller,"dragstart",n.start),i(e.display.scroller,"dragenter",n.enter),i(e.display.scroller,"dragover",n.over),i(e.display.scroller,"dragleave",n.leave),i(e.display.scroller,"drop",n.drop)}}function Tl(e){e.options.lineWrapping?(z(e.display.wrapper,"CodeMirror-wrap"),e.display.sizer.style.minWidth="",e.display.sizerWidth=null):(T(e.display.wrapper,"CodeMirror-wrap"),Xt(e)),un(e),dn(e),Br(e),setTimeout((function(){return Un(e)}),100)}function Nl(e,t){var r=this;if(!(this instanceof Nl))return new Nl(e,t);this.options=t=t?I(t):{},I(kl,t,!1);var n=t.value;"string"==typeof n?n=new Wo(n,t.mode,null,t.lineSeparator,t.direction):t.mode&&(n.modeOption=t.mode),this.doc=n;var i=new Nl.inputStyles[t.inputStyle](this),o=this.display=new vi(e,n,i,t);for(var l in o.wrapper.CodeMirror=this,Cl(this),t.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),Kn(this),this.state={keyMaps:[],overlays:[],modeGen:0,overwrite:!1,delayingBlurEvent:!1,focused:!1,suppressEdits:!1,pasteIncoming:-1,cutIncoming:-1,selectingText:!1,draggingText:!1,highlight:new B,keySeq:null,specialChars:null},t.autofocus&&!y&&o.input.focus(),s&&a<11&&setTimeout((function(){return r.display.input.reset(!0)}),20),function(e){var t=e.display;de(t.scroller,"mousedown",ti(e,vl)),de(t.scroller,"dblclick",s&&a<11?ti(e,(function(t){if(!me(e,t)){var r=cn(e,t);if(r&&!wl(e,t)&&!Cr(e.display,t)){we(t);var n=e.findWordAt(r);qi(e.doc,n.anchor,n.head)}}})):function(t){return me(e,t)||we(t)}),de(t.scroller,"contextmenu",(function(t){return xl(e,t)}));var r,n={end:0};function i(){t.activeTouch&&(r=setTimeout((function(){return t.activeTouch=null}),1e3),(n=t.activeTouch).end=+new Date)}function o(e,t){if(null==t.left)return!0;var r=t.left-e.left,n=t.top-e.top;return r*r+n*n>400}de(t.scroller,"touchstart",(function(i){if(!me(e,i)&&!function(e){if(1!=e.touches.length)return!1;var t=e.touches[0];return t.radiusX<=1&&t.radiusY<=1}(i)&&!wl(e,i)){t.input.ensurePolled(),clearTimeout(r);var o=+new Date;t.activeTouch={start:o,moved:!1,prev:o-n.end<=300?n:null},1==i.touches.length&&(t.activeTouch.left=i.touches[0].pageX,t.activeTouch.top=i.touches[0].pageY)}})),de(t.scroller,"touchmove",(function(){t.activeTouch&&(t.activeTouch.moved=!0)})),de(t.scroller,"touchend",(function(r){var n=t.activeTouch;if(n&&!Cr(t,r)&&null!=n.left&&!n.moved&&new Date-n.start<300){var l,s=e.coordsChar(t.activeTouch,"page");l=!n.prev||o(n,n.prev)?new ki(s,s):!n.prev.prev||o(n,n.prev.prev)?e.findWordAt(s):new ki(tt(s.line,0),at(e.doc,tt(s.line+1,0))),e.setSelection(l.anchor,l.head),e.focus(),we(r)}i()})),de(t.scroller,"touchcancel",i),de(t.scroller,"scroll",(function(){t.scroller.clientHeight&&(Pn(e,t.scroller.scrollTop),In(e,t.scroller.scrollLeft,!0),ge(e,"scroll",e))})),de(t.scroller,"mousewheel",(function(t){return Ci(e,t)})),de(t.scroller,"DOMMouseScroll",(function(t){return Ci(e,t)})),de(t.wrapper,"scroll",(function(){return t.wrapper.scrollTop=t.wrapper.scrollLeft=0})),t.dragFunctions={enter:function(t){me(e,t)||Se(t)},over:function(t){me(e,t)||(function(e,t){var r=cn(e,t);if(r){var n=document.createDocumentFragment();bn(e,r,n),e.display.dragCursor||(e.display.dragCursor=A("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),e.display.lineSpace.insertBefore(e.display.dragCursor,e.display.cursorDiv)),O(e.display.dragCursor,n)}}(e,t),Se(t))},start:function(t){return function(e,t){if(s&&(!e.state.draggingText||+new Date-Ho<100))Se(t);else if(!me(e,t)&&!Cr(e.display,t)&&(t.dataTransfer.setData("Text",e.getSelection()),t.dataTransfer.effectAllowed="copyMove",t.dataTransfer.setDragImage&&!h)){var r=A("img",null,null,"position: fixed; left: 0; top: 0;");r.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",d&&(r.width=r.height=1,e.display.wrapper.appendChild(r),r._top=r.offsetTop),t.dataTransfer.setDragImage(r,0,0),d&&r.parentNode.removeChild(r)}}(e,t)},drop:ti(e,zo),leave:function(t){me(e,t)||Fo(e)}};var l=t.input.getField();de(l,"keyup",(function(t){return dl.call(e,t)})),de(l,"keydown",ti(e,fl)),de(l,"keypress",ti(e,hl)),de(l,"focus",(function(t){return Mn(e,t)})),de(l,"blur",(function(t){return Ln(e,t)}))}(this),Io(),_n(this),this.curOp.forceUpdate=!0,Pi(this,n),t.autofocus&&!y||this.hasFocus()?setTimeout(E(Mn,this),20):Ln(this),Ml)Ml.hasOwnProperty(l)&&Ml[l](r,t[l],Sl);hi(this),t.finishInit&&t.finishInit(this);for(var c=0;c150)){if(!n)return;r="prev"}}else u=0,r="not";"prev"==r?u=t>o.first?R(_e(o,t-1).text,null,l):0:"add"==r?u=a+e.options.indentUnit:"subtract"==r?u=a-e.options.indentUnit:"number"==typeof r&&(u=a+r),u=Math.max(0,u);var f="",d=0;if(e.options.indentWithTabs)for(var h=Math.floor(u/l);h;--h)d+=l,f+="\t";if(dl,a=We(t),u=null;if(s&&n.ranges.length>1)if(Dl&&Dl.text.join("\n")==t){if(n.ranges.length%Dl.text.length==0){u=[];for(var c=0;c=0;d--){var h=n.ranges[d],p=h.from(),g=h.to();h.empty()&&(r&&r>0?p=tt(p.line,p.ch-r):e.state.overwrite&&!s?g=tt(g.line,Math.min(_e(o,g.line).text.length,g.ch+q(a).length)):s&&Dl&&Dl.lineWise&&Dl.text.join("\n")==t&&(p=g=tt(p.line,0)));var m={from:p,to:g,text:u?u[d%u.length]:a,origin:i||(s?"paste":e.state.cutIncoming>l?"cut":"+input")};co(e.doc,m),ar(e,"inputRead",e,m)}t&&!s&&Fl(e,t),Wn(e),e.curOp.updateInput<2&&(e.curOp.updateInput=f),e.curOp.typing=!0,e.state.pasteIncoming=e.state.cutIncoming=-1}function zl(e,t){var r=e.clipboardData&&e.clipboardData.getData("Text");if(r)return e.preventDefault(),t.isReadOnly()||t.options.disableInput||ei(t,(function(){return Hl(t,r,0,null,"paste")})),!0}function Fl(e,t){if(e.options.electricChars&&e.options.smartIndent)for(var r=e.doc.sel,n=r.ranges.length-1;n>=0;n--){var i=r.ranges[n];if(!(i.head.ch>100||n&&r.ranges[n-1].head.line==i.head.line)){var o=e.getModeAt(i.head),l=!1;if(o.electricChars){for(var s=0;s-1){l=Al(e,i.head.line,"smart");break}}else o.electricInput&&o.electricInput.test(_e(e.doc,i.head.line).text.slice(0,i.head.ch))&&(l=Al(e,i.head.line,"smart"));l&&ar(e,"electricInput",e,i.head.line)}}}function Pl(e){for(var t=[],r=[],n=0;n=t.text.length?(r.ch=t.text.length,r.sticky="before"):r.ch<=0&&(r.ch=0,r.sticky="after");var o=ae(i,r.ch,r.sticky),l=i[o];if("ltr"==e.doc.direction&&l.level%2==0&&(n>0?l.to>r.ch:l.from=l.from&&d>=c.begin)){var h=f?"before":"after";return new tt(r.line,d,h)}}var p=function(e,t,n){for(var o=function(e,t){return t?new tt(r.line,a(e,1),"before"):new tt(r.line,e,"after")};e>=0&&e0==(1!=l.level),u=s?n.begin:a(n.end,-1);if(l.from<=u&&u0?c.end:a(c.begin,-1);return null==m||n>0&&m==t.text.length||!(g=p(n>0?0:i.length-1,n,u(m)))?null:g}(e.cm,s,t,r):el(s,t,r))){if(n||(l=t.line+r)=e.first+e.size||(t=new tt(l,t.ch,t.sticky),!(s=_e(e,l))))return!1;t=tl(i,e.cm,s,t.line,r)}else t=o;return!0}if("char"==n)a();else if("column"==n)a(!0);else if("word"==n||"group"==n)for(var u=null,c="group"==n,f=e.cm&&e.cm.getHelper(t,"wordChars"),d=!0;!(r<0)||a(!d);d=!1){var h=s.text.charAt(t.ch)||"\n",p=te(h,f)?"w":c&&"\n"==h?"n":!c||/\s/.test(h)?null:"p";if(!c||d||p||(p="s"),u&&u!=p){r<0&&(r=1,a(),t.sticky="after");break}if(p&&(u=p),r>0&&!a(!d))break}var g=lo(e,t,o,l,!0);return nt(o,g)&&(g.hitSide=!0),g}function Bl(e,t,r,n){var i,o,l=e.doc,s=t.left;if("page"==n){var a=Math.min(e.display.wrapper.clientHeight,window.innerHeight||document.documentElement.clientHeight),u=Math.max(a-.5*nn(e.display),3);i=(r>0?t.bottom:t.top)+r*u}else"line"==n&&(i=r>0?t.bottom+3:t.top-3);for(;(o=$r(e,s,i)).outside;){if(r<0?i<=0:i>=l.height){o.hitSide=!0;break}i+=5*r}return o}var Gl=function(e){this.cm=e,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new B,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};function Ul(e,t){var r=Dr(e,t.line);if(!r||r.hidden)return null;var n=_e(e.doc,t.line),i=Or(r,n,t.line),o=ce(n,e.doc.direction),l="left";o&&(l=ae(o,t.ch)%2?"right":"left");var s=Pr(i.map,t.ch,l);return s.offset="right"==s.collapse?s.end:s.start,s}function Vl(e,t){return t&&(e.bad=!0),e}function jl(e,t,r){var n;if(t==e.display.lineDiv){if(!(n=e.display.lineDiv.childNodes[r]))return Vl(e.clipPos(tt(e.display.viewTo-1)),!0);t=null,r=0}else for(n=t;;n=n.parentNode){if(!n||n==e.display.lineDiv)return null;if(n.parentNode&&n.parentNode==e.display.lineDiv)break}for(var i=0;i=t.display.viewTo||o.line=t.display.viewFrom&&Ul(t,i)||{node:a[0].measure.map[2],offset:0},c=o.linen.firstLine()&&(l=tt(l.line-1,_e(n.doc,l.line-1).length)),s.ch==_e(n.doc,s.line).text.length&&s.linei.viewTo-1)return!1;l.line==i.viewFrom||0==(e=fn(n,l.line))?(t=Ze(i.view[0].line),r=i.view[0].node):(t=Ze(i.view[e].line),r=i.view[e-1].node.nextSibling);var a,u,c=fn(n,s.line);if(c==i.view.length-1?(a=i.viewTo-1,u=i.lineDiv.lastChild):(a=Ze(i.view[c+1].line)-1,u=i.view[c+1].node.previousSibling),!r)return!1;for(var f=n.doc.splitLines(function(e,t,r,n,i){var o="",l=!1,s=e.doc.lineSeparator(),a=!1;function u(){l&&(o+=s,a&&(o+=s),l=a=!1)}function c(e){e&&(u(),o+=e)}function f(t){if(1==t.nodeType){var r=t.getAttribute("cm-text");if(r)return void c(r);var o,d=t.getAttribute("cm-marker");if(d){var h=e.findMarks(tt(n,0),tt(i+1,0),(m=+d,function(e){return e.id==m}));return void(h.length&&(o=h[0].find(0))&&c(Ye(e.doc,o.from,o.to).join(s)))}if("false"==t.getAttribute("contenteditable"))return;var p=/^(pre|div|p|li|table|br)$/i.test(t.nodeName);if(!/^br$/i.test(t.nodeName)&&0==t.textContent.length)return;p&&u();for(var g=0;g1&&d.length>1;)if(q(f)==q(d))f.pop(),d.pop(),a--;else{if(f[0]!=d[0])break;f.shift(),d.shift(),t++}for(var h=0,p=0,g=f[0],m=d[0],v=Math.min(g.length,m.length);hl.ch&&y.charCodeAt(y.length-p-1)==b.charCodeAt(b.length-p-1);)h--,p++;f[f.length-1]=y.slice(0,y.length-p).replace(/^\u200b+/,""),f[0]=f[0].slice(h).replace(/\u200b+$/,"");var x=tt(t,h),C=tt(a,d.length?q(d).length-p:0);return f.length>1||f[0]||rt(x,C)?(mo(n.doc,f,x,C,"+input"),!0):void 0},Gl.prototype.ensurePolled=function(){this.forceCompositionEnd()},Gl.prototype.reset=function(){this.forceCompositionEnd()},Gl.prototype.forceCompositionEnd=function(){this.composing&&(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},Gl.prototype.readFromDOMSoon=function(){var e=this;null==this.readDOMTimeout&&(this.readDOMTimeout=setTimeout((function(){if(e.readDOMTimeout=null,e.composing){if(!e.composing.done)return;e.composing=null}e.updateFromDOM()}),80))},Gl.prototype.updateFromDOM=function(){var e=this;!this.cm.isReadOnly()&&this.pollContent()||ei(this.cm,(function(){return dn(e.cm)}))},Gl.prototype.setUneditable=function(e){e.contentEditable="false"},Gl.prototype.onKeyPress=function(e){0==e.charCode||this.composing||(e.preventDefault(),this.cm.isReadOnly()||ti(this.cm,Hl)(this.cm,String.fromCharCode(null==e.charCode?e.keyCode:e.charCode),0))},Gl.prototype.readOnlyChanged=function(e){this.div.contentEditable=String("nocursor"!=e)},Gl.prototype.onContextMenu=function(){},Gl.prototype.resetPosition=function(){},Gl.prototype.needsContentAttribute=!0;var Xl=function(e){this.cm=e,this.prevInput="",this.pollingFast=!1,this.polling=new B,this.hasSelection=!1,this.composing=null};Xl.prototype.init=function(e){var t=this,r=this,n=this.cm;this.createField(e);var i=this.textarea;function o(e){if(!me(n,e)){if(n.somethingSelected())Wl({lineWise:!1,text:n.getSelections()});else{if(!n.options.lineWiseCopyCut)return;var t=Pl(n);Wl({lineWise:!0,text:t.text}),"cut"==e.type?n.setSelections(t.ranges,null,V):(r.prevInput="",i.value=t.text.join("\n"),P(i))}"cut"==e.type&&(n.state.cutIncoming=+new Date)}}e.wrapper.insertBefore(this.wrapper,e.wrapper.firstChild),m&&(i.style.width="0px"),de(i,"input",(function(){s&&a>=9&&t.hasSelection&&(t.hasSelection=null),r.poll()})),de(i,"paste",(function(e){me(n,e)||zl(e,n)||(n.state.pasteIncoming=+new Date,r.fastPoll())})),de(i,"cut",o),de(i,"copy",o),de(e.scroller,"paste",(function(t){if(!Cr(e,t)&&!me(n,t)){if(!i.dispatchEvent)return n.state.pasteIncoming=+new Date,void r.focus();var o=new Event("paste");o.clipboardData=t.clipboardData,i.dispatchEvent(o)}})),de(e.lineSpace,"selectstart",(function(t){Cr(e,t)||we(t)})),de(i,"compositionstart",(function(){var e=n.getCursor("from");r.composing&&r.composing.range.clear(),r.composing={start:e,range:n.markText(e,n.getCursor("to"),{className:"CodeMirror-composing"})}})),de(i,"compositionend",(function(){r.composing&&(r.poll(),r.composing.range.clear(),r.composing=null)}))},Xl.prototype.createField=function(e){this.wrapper=Il(),this.textarea=this.wrapper.firstChild},Xl.prototype.prepareSelection=function(){var e=this.cm,t=e.display,r=e.doc,n=yn(e);if(e.options.moveInputWithCursor){var i=_r(e,r.sel.primary().head,"div"),o=t.wrapper.getBoundingClientRect(),l=t.lineDiv.getBoundingClientRect();n.teTop=Math.max(0,Math.min(t.wrapper.clientHeight-10,i.top+l.top-o.top)),n.teLeft=Math.max(0,Math.min(t.wrapper.clientWidth-10,i.left+l.left-o.left))}return n},Xl.prototype.showSelection=function(e){var t=this.cm.display;O(t.cursorDiv,e.cursors),O(t.selectionDiv,e.selection),null!=e.teTop&&(this.wrapper.style.top=e.teTop+"px",this.wrapper.style.left=e.teLeft+"px")},Xl.prototype.reset=function(e){if(!this.contextMenuPending&&!this.composing){var t=this.cm;if(t.somethingSelected()){this.prevInput="";var r=t.getSelection();this.textarea.value=r,t.state.focused&&P(this.textarea),s&&a>=9&&(this.hasSelection=r)}else e||(this.prevInput=this.textarea.value="",s&&a>=9&&(this.hasSelection=null))}},Xl.prototype.getField=function(){return this.textarea},Xl.prototype.supportsTouch=function(){return!1},Xl.prototype.focus=function(){if("nocursor"!=this.cm.options.readOnly&&(!y||H()!=this.textarea))try{this.textarea.focus()}catch(De){}},Xl.prototype.blur=function(){this.textarea.blur()},Xl.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},Xl.prototype.receivedFocus=function(){this.slowPoll()},Xl.prototype.slowPoll=function(){var e=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,(function(){e.poll(),e.cm.state.focused&&e.slowPoll()}))},Xl.prototype.fastPoll=function(){var e=!1,t=this;t.pollingFast=!0,t.polling.set(20,(function r(){t.poll()||e?(t.pollingFast=!1,t.slowPoll()):(e=!0,t.polling.set(60,r))}))},Xl.prototype.poll=function(){var e=this,t=this.cm,r=this.textarea,n=this.prevInput;if(this.contextMenuPending||!t.state.focused||He(r)&&!n&&!this.composing||t.isReadOnly()||t.options.disableInput||t.state.keySeq)return!1;var i=r.value;if(i==n&&!t.somethingSelected())return!1;if(s&&a>=9&&this.hasSelection===i||b&&/[\uf700-\uf7ff]/.test(i))return t.display.input.reset(),!1;if(t.doc.sel==t.display.selForContextMenu){var o=i.charCodeAt(0);if(8203!=o||n||(n="​"),8666==o)return this.reset(),this.cm.execCommand("undo")}for(var l=0,u=Math.min(n.length,i.length);l1e3||i.indexOf("\n")>-1?r.value=e.prevInput="":e.prevInput=i,e.composing&&(e.composing.range.clear(),e.composing.range=t.markText(e.composing.start,t.getCursor("to"),{className:"CodeMirror-composing"}))})),!0},Xl.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},Xl.prototype.onKeyPress=function(){s&&a>=9&&(this.hasSelection=null),this.fastPoll()},Xl.prototype.onContextMenu=function(e){var t=this,r=t.cm,n=r.display,i=t.textarea;t.contextMenuPending&&t.contextMenuPending();var o=cn(r,e),l=n.scroller.scrollTop;if(o&&!d){r.options.resetSelectionOnContextMenu&&-1==r.doc.sel.contains(o)&&ti(r,eo)(r.doc,Li(o),V);var c,f=i.style.cssText,h=t.wrapper.style.cssText,p=t.wrapper.offsetParent.getBoundingClientRect();t.wrapper.style.cssText="position: static",i.style.cssText="position: absolute; width: 30px; height: 30px;\n top: "+(e.clientY-p.top-5)+"px; left: "+(e.clientX-p.left-5)+"px;\n z-index: 1000; background: "+(s?"rgba(255, 255, 255, .05)":"transparent")+";\n outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);",u&&(c=window.scrollY),n.input.focus(),u&&window.scrollTo(null,c),n.input.reset(),r.somethingSelected()||(i.value=t.prevInput=" "),t.contextMenuPending=m,n.selForContextMenu=r.doc.sel,clearTimeout(n.detectingSelectAll),s&&a>=9&&g(),k?(Se(e),de(window,"mouseup",(function e(){pe(window,"mouseup",e),setTimeout(m,20)}))):setTimeout(m,50)}function g(){if(null!=i.selectionStart){var e=r.somethingSelected(),o="​"+(e?i.value:"");i.value="⇚",i.value=o,t.prevInput=e?"":"​",i.selectionStart=1,i.selectionEnd=o.length,n.selForContextMenu=r.doc.sel}}function m(){if(t.contextMenuPending==m&&(t.contextMenuPending=!1,t.wrapper.style.cssText=h,i.style.cssText=f,s&&a<9&&n.scrollbars.setScrollTop(n.scroller.scrollTop=l),null!=i.selectionStart)){(!s||s&&a<9)&&g();var e=0;n.detectingSelectAll=setTimeout((function o(){n.selForContextMenu==r.doc.sel&&0==i.selectionStart&&i.selectionEnd>0&&"​"==t.prevInput?ti(r,ao)(r):e++<10?n.detectingSelectAll=setTimeout(o,500):(n.selForContextMenu=null,n.input.reset())}),200)}}},Xl.prototype.readOnlyChanged=function(e){e||this.reset(),this.textarea.disabled="nocursor"==e},Xl.prototype.setUneditable=function(){},Xl.prototype.needsContentAttribute=!1,function(e){var t=e.optionHandlers;function r(r,n,i,o){e.defaults[r]=n,i&&(t[r]=o?function(e,t,r){r!=Sl&&i(e,t,r)}:i)}e.defineOption=r,e.Init=Sl,r("value","",(function(e,t){return e.setValue(t)}),!0),r("mode",null,(function(e,t){e.doc.modeOption=t,Di(e)}),!0),r("indentUnit",2,Di,!0),r("indentWithTabs",!1),r("smartIndent",!0),r("tabSize",4,(function(e){Wi(e),Br(e),dn(e)}),!0),r("lineSeparator",null,(function(e,t){if(e.doc.lineSep=t,t){var r=[],n=e.doc.first;e.doc.iter((function(e){for(var i=0;;){var o=e.text.indexOf(t,i);if(-1==o)break;i=o+t.length,r.push(tt(n,o))}n++}));for(var i=r.length-1;i>=0;i--)mo(e.doc,t,r[i],tt(r[i].line,r[i].ch+t.length))}})),r("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b-\u200f\u2028\u2029\ufeff\ufff9-\ufffc]/g,(function(e,t,r){e.state.specialChars=new RegExp(t.source+(t.test("\t")?"":"|\t"),"g"),r!=Sl&&e.refresh()})),r("specialCharPlaceholder",Qt,(function(e){return e.refresh()}),!0),r("electricChars",!0),r("inputStyle",y?"contenteditable":"textarea",(function(){throw new Error("inputStyle can not (yet) be changed in a running editor")}),!0),r("spellcheck",!1,(function(e,t){return e.getInputField().spellcheck=t}),!0),r("autocorrect",!1,(function(e,t){return e.getInputField().autocorrect=t}),!0),r("autocapitalize",!1,(function(e,t){return e.getInputField().autocapitalize=t}),!0),r("rtlMoveVisually",!x),r("wholeLineUpdateBefore",!0),r("theme","default",(function(e){Cl(e),mi(e)}),!0),r("keyMap","default",(function(e,t,r){var n=Zo(t),i=r!=Sl&&Zo(r);i&&i.detach&&i.detach(e,n),n.attach&&n.attach(e,i||null)})),r("extraKeys",null),r("configureMouse",null),r("lineWrapping",!1,Tl,!0),r("gutters",[],(function(e,t){e.display.gutterSpecs=pi(t,e.options.lineNumbers),mi(e)}),!0),r("fixedGutter",!0,(function(e,t){e.display.gutters.style.left=t?sn(e.display)+"px":"0",e.refresh()}),!0),r("coverGutterNextToScrollbar",!1,(function(e){return Un(e)}),!0),r("scrollbarStyle","native",(function(e){Kn(e),Un(e),e.display.scrollbars.setScrollTop(e.doc.scrollTop),e.display.scrollbars.setScrollLeft(e.doc.scrollLeft)}),!0),r("lineNumbers",!1,(function(e,t){e.display.gutterSpecs=pi(e.options.gutters,t),mi(e)}),!0),r("firstLineNumber",1,mi,!0),r("lineNumberFormatter",(function(e){return e}),mi,!0),r("showCursorWhenSelecting",!1,vn,!0),r("resetSelectionOnContextMenu",!0),r("lineWiseCopyCut",!0),r("pasteLinesPerSelection",!0),r("selectionsMayTouch",!1),r("readOnly",!1,(function(e,t){"nocursor"==t&&(Ln(e),e.display.input.blur()),e.display.input.readOnlyChanged(t)})),r("disableInput",!1,(function(e,t){t||e.display.input.reset()}),!0),r("dragDrop",!0,Ll),r("allowDropFileTypes",null),r("cursorBlinkRate",530),r("cursorScrollMargin",0),r("cursorHeight",1,vn,!0),r("singleCursorHeightPerLine",!0,vn,!0),r("workTime",100),r("workDelay",100),r("flattenSpans",!0,Wi,!0),r("addModeClass",!1,Wi,!0),r("pollInterval",100),r("undoDepth",200,(function(e,t){return e.doc.history.undoDepth=t})),r("historyEventDelay",1250),r("viewportMargin",10,(function(e){return e.refresh()}),!0),r("maxHighlightLength",1e4,Wi,!0),r("moveInputWithCursor",!0,(function(e,t){t||e.display.input.resetPosition()})),r("tabindex",null,(function(e,t){return e.display.input.getField().tabIndex=t||""})),r("autofocus",null),r("direction","ltr",(function(e,t){return e.doc.setDirection(t)}),!0),r("phrases",null)}(Nl),function(e){var t=e.optionHandlers,r=e.helpers={};e.prototype={constructor:e,focus:function(){window.focus(),this.display.input.focus()},setOption:function(e,r){var n=this.options,i=n[e];n[e]==r&&"mode"!=e||(n[e]=r,t.hasOwnProperty(e)&&ti(this,t[e])(this,r,i),ge(this,"optionChange",this,e))},getOption:function(e){return this.options[e]},getDoc:function(){return this.doc},addKeyMap:function(e,t){this.state.keyMaps[t?"push":"unshift"](Zo(e))},removeKeyMap:function(e){for(var t=this.state.keyMaps,r=0;rr&&(Al(this,i.head.line,e,!0),r=i.head.line,n==this.doc.sel.primIndex&&Wn(this));else{var o=i.from(),l=i.to(),s=Math.max(r,o.line);r=Math.min(this.lastLine(),l.line-(l.ch?0:1))+1;for(var a=s;a0&&Zi(this.doc,n,new ki(o,u[n].to()),V)}}})),getTokenAt:function(e,t){return bt(this,e,t)},getLineTokens:function(e,t){return bt(this,tt(e),t,!0)},getTokenTypeAt:function(e){e=at(this.doc,e);var t,r=ht(this,_e(this.doc,e.line)),n=0,i=(r.length-1)/2,o=e.ch;if(0==o)t=r[2];else for(;;){var l=n+i>>1;if((l?r[2*l-1]:0)>=o)i=l;else{if(!(r[2*l+1]o&&(e=o,i=!0),n=_e(this.doc,e)}else n=e;return jr(this,n,{top:0,left:0},t||"page",r||i).top+(i?this.doc.height-jt(n):0)},defaultTextHeight:function(){return nn(this.display)},defaultCharWidth:function(){return on(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(e,t,r,n,i){var o,l,s,a=this.display,u=(e=_r(this,at(this.doc,e))).bottom,c=e.left;if(t.style.position="absolute",t.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(t),a.sizer.appendChild(t),"over"==n)u=e.top;else if("above"==n||"near"==n){var f=Math.max(a.wrapper.clientHeight,this.doc.height),d=Math.max(a.sizer.clientWidth,a.lineSpace.clientWidth);("above"==n||e.bottom+t.offsetHeight>f)&&e.top>t.offsetHeight?u=e.top-t.offsetHeight:e.bottom+t.offsetHeight<=f&&(u=e.bottom),c+t.offsetWidth>d&&(c=d-t.offsetWidth)}t.style.top=u+"px",t.style.left=t.style.right="","right"==i?(c=a.sizer.clientWidth-t.offsetWidth,t.style.right="0px"):("left"==i?c=0:"middle"==i&&(c=(a.sizer.clientWidth-t.offsetWidth)/2),t.style.left=c+"px"),r&&(o=this,l={left:c,top:u,right:c+t.offsetWidth,bottom:u+t.offsetHeight},null!=(s=An(o,l)).scrollTop&&Pn(o,s.scrollTop),null!=s.scrollLeft&&In(o,s.scrollLeft))},triggerOnKeyDown:ri(fl),triggerOnKeyPress:ri(hl),triggerOnKeyUp:dl,triggerOnMouseDown:ri(vl),execCommand:function(e){if(rl.hasOwnProperty(e))return rl[e].call(null,this)},triggerElectric:ri((function(e){Fl(this,e)})),findPosH:function(e,t,r,n){var i=1;t<0&&(i=-1,t=-t);for(var o=at(this.doc,e),l=0;l0&&l(t.charAt(r-1));)--r;for(;n.5)&&un(this),ge(this,"refresh",this)})),swapDoc:ri((function(e){var t=this.doc;return t.cm=null,this.state.selectingText&&this.state.selectingText(),Pi(this,e),Br(this),this.display.input.reset(),Hn(this,e.scrollLeft,e.scrollTop),this.curOp.forceScroll=!0,ar(this,"swapDoc",this,t),t})),phrase:function(e){var t=this.options.phrases;return t&&Object.prototype.hasOwnProperty.call(t,e)?t[e]:e},getInputField:function(){return this.display.input.getField()},getWrapperElement:function(){return this.display.wrapper},getScrollerElement:function(){return this.display.scroller},getGutterElement:function(){return this.display.gutters}},be(e),e.registerHelper=function(t,n,i){r.hasOwnProperty(t)||(r[t]=e[t]={_global:[]}),r[t][n]=i},e.registerGlobalHelper=function(t,n,i,o){e.registerHelper(t,n,o),r[t]._global.push({pred:i,val:o})}}(Nl);var _l="iter insert remove copy getEditor constructor".split(" ");for(var Yl in Wo.prototype)Wo.prototype.hasOwnProperty(Yl)&&G(_l,Yl)<0&&(Nl.prototype[Yl]=function(e){return function(){return e.apply(this.doc,arguments)}}(Wo.prototype[Yl]));return be(Wo),Nl.inputStyles={textarea:Xl,contenteditable:Gl},Nl.defineMode=function(e){Nl.defaults.mode||"null"==e||(Nl.defaults.mode=e),Ie.apply(this,arguments)},Nl.defineMIME=function(e,t){Ee[e]=t},Nl.defineMode("null",(function(){return{token:function(e){return e.skipToEnd()}}})),Nl.defineMIME("text/plain","null"),Nl.defineExtension=function(e,t){Nl.prototype[e]=t},Nl.defineDocExtension=function(e,t){Wo.prototype[e]=t},Nl.fromTextArea=function(e,t){if((t=t?I(t):{}).value=e.value,!t.tabindex&&e.tabIndex&&(t.tabindex=e.tabIndex),!t.placeholder&&e.placeholder&&(t.placeholder=e.placeholder),null==t.autofocus){var r=H();t.autofocus=r==e||null!=e.getAttribute("autofocus")&&r==document.body}function n(){e.value=s.getValue()}var i;if(e.form&&(de(e.form,"submit",n),!t.leaveSubmitMethodAlone)){var o=e.form;i=o.submit;try{var l=o.submit=function(){n(),o.submit=i,o.submit(),o.submit=l}}catch(De){}}t.finishInit=function(r){r.save=n,r.getTextArea=function(){return e},r.toTextArea=function(){r.toTextArea=isNaN,n(),e.parentNode.removeChild(r.getWrapperElement()),e.style.display="",e.form&&(pe(e.form,"submit",n),t.leaveSubmitMethodAlone||"function"!=typeof e.form.submit||(e.form.submit=i))}},e.style.display="none";var s=Nl((function(t){return e.parentNode.insertBefore(t,e.nextSibling)}),t);return s},function(e){e.off=pe,e.on=de,e.wheelEventPixels=xi,e.Doc=Wo,e.splitLines=We,e.countColumn=R,e.findColumn=X,e.isWordChar=ee,e.Pass=U,e.signal=ge,e.Line=_t,e.changeEnd=Ti,e.scrollbarModel=jn,e.Pos=tt,e.cmpPos=rt,e.modes=Pe,e.mimeModes=Ee,e.resolveMode=Re,e.getMode=Be,e.modeExtensions=Ge,e.extendMode=Ue,e.copyState=Ve,e.startState=Ke,e.innerMode=je,e.commands=rl,e.keyMap=jo,e.keyName=$o,e.isModifierKey=Yo,e.lookupKey=_o,e.normalizeKeyMap=Xo,e.StringStream=Xe,e.SharedTextMarker=No,e.TextMarker=Lo,e.LineWidget=So,e.e_preventDefault=we,e.e_stopPropagation=xe,e.e_stop=Se,e.addClass=z,e.contains=W,e.rmClass=T,e.keyNames=Bo}(Nl),Nl.version="5.49.0",Nl},"object"===l(t)&&void 0!==e?e.exports=o():void 0===(i="function"==typeof(n=o)?n.call(t,r,t,e):n)||(e.exports=i)},173:function(e,t,r){"use strict";t.a="/* BASICS */\n\n.CodeMirror {\n /* Set height, width, borders, and global font properties here */\n font-family: monospace;\n height: 300px;\n color: black;\n direction: ltr;\n}\n\n/* PADDING */\n\n.CodeMirror-lines {\n padding: 4px 0; /* Vertical padding around content */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n padding: 0 4px; /* Horizontal padding of content */\n}\n\n.CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n background-color: white; /* The little square between H and V scrollbars */\n}\n\n/* GUTTER */\n\n.CodeMirror-gutters {\n border-right: 1px solid #ddd;\n background-color: #f7f7f7;\n white-space: nowrap;\n}\n.CodeMirror-linenumbers {}\n.CodeMirror-linenumber {\n padding: 0 3px 0 5px;\n min-width: 20px;\n text-align: right;\n color: #999;\n white-space: nowrap;\n}\n\n.CodeMirror-guttermarker { color: black; }\n.CodeMirror-guttermarker-subtle { color: #999; }\n\n/* CURSOR */\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n border-right: none;\n width: 0;\n}\n/* Shown when moving in bi-directional text */\n.CodeMirror div.CodeMirror-secondarycursor {\n border-left: 1px solid silver;\n}\n.cm-fat-cursor .CodeMirror-cursor {\n width: auto;\n border: 0 !important;\n background: #7e7;\n}\n.cm-fat-cursor div.CodeMirror-cursors {\n z-index: 1;\n}\n.cm-fat-cursor-mark {\n background-color: rgba(20, 255, 20, 0.5);\n -webkit-animation: blink 1.06s steps(1) infinite;\n -moz-animation: blink 1.06s steps(1) infinite;\n animation: blink 1.06s steps(1) infinite;\n}\n.cm-animate-fat-cursor {\n width: auto;\n border: 0;\n -webkit-animation: blink 1.06s steps(1) infinite;\n -moz-animation: blink 1.06s steps(1) infinite;\n animation: blink 1.06s steps(1) infinite;\n background-color: #7e7;\n}\n@-moz-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@-webkit-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n\n/* Can style cursor different in overwrite (non-insert) mode */\n.CodeMirror-overwrite .CodeMirror-cursor {}\n\n.cm-tab { display: inline-block; text-decoration: inherit; }\n\n.CodeMirror-rulers {\n position: absolute;\n left: 0; right: 0; top: -50px; bottom: 0;\n overflow: hidden;\n}\n.CodeMirror-ruler {\n border-left: 1px solid #ccc;\n top: 0; bottom: 0;\n position: absolute;\n}\n\n/* DEFAULT THEME */\n\n.cm-s-default .cm-header {color: blue;}\n.cm-s-default .cm-quote {color: #090;}\n.cm-negative {color: #d44;}\n.cm-positive {color: #292;}\n.cm-header, .cm-strong {font-weight: bold;}\n.cm-em {font-style: italic;}\n.cm-link {text-decoration: underline;}\n.cm-strikethrough {text-decoration: line-through;}\n\n.cm-s-default .cm-keyword {color: #708;}\n.cm-s-default .cm-atom {color: #219;}\n.cm-s-default .cm-number {color: #164;}\n.cm-s-default .cm-def {color: #00f;}\n.cm-s-default .cm-variable,\n.cm-s-default .cm-punctuation,\n.cm-s-default .cm-property,\n.cm-s-default .cm-operator {}\n.cm-s-default .cm-variable-2 {color: #05a;}\n.cm-s-default .cm-variable-3, .cm-s-default .cm-type {color: #085;}\n.cm-s-default .cm-comment {color: #a50;}\n.cm-s-default .cm-string {color: #a11;}\n.cm-s-default .cm-string-2 {color: #f50;}\n.cm-s-default .cm-meta {color: #555;}\n.cm-s-default .cm-qualifier {color: #555;}\n.cm-s-default .cm-builtin {color: #30a;}\n.cm-s-default .cm-bracket {color: #997;}\n.cm-s-default .cm-tag {color: #170;}\n.cm-s-default .cm-attribute {color: #00c;}\n.cm-s-default .cm-hr {color: #999;}\n.cm-s-default .cm-link {color: #00c;}\n\n.cm-s-default .cm-error {color: #f00;}\n.cm-invalidchar {color: #f00;}\n\n.CodeMirror-composing { border-bottom: 2px solid; }\n\n/* Default styles for common addons */\n\ndiv.CodeMirror span.CodeMirror-matchingbracket {color: #0b0;}\ndiv.CodeMirror span.CodeMirror-nonmatchingbracket {color: #a22;}\n.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }\n.CodeMirror-activeline-background {background: #e8f2ff;}\n\n/* STOP */\n\n/* The rest of this file contains styles related to the mechanics of\n the editor. You probably shouldn't touch them. */\n\n.CodeMirror {\n position: relative;\n overflow: hidden;\n background: white;\n}\n\n.CodeMirror-scroll {\n overflow: scroll !important; /* Things will break if this is overridden */\n /* 30px is the magic margin used to hide the element's real scrollbars */\n /* See overflow: hidden in .CodeMirror */\n margin-bottom: -30px; margin-right: -30px;\n padding-bottom: 30px;\n height: 100%;\n outline: none; /* Prevent dragging from highlighting the element */\n position: relative;\n}\n.CodeMirror-sizer {\n position: relative;\n border-right: 30px solid transparent;\n}\n\n/* The fake, visible scrollbars. Used to force redraw during scrolling\n before actual scrolling happens, thus preventing shaking and\n flickering artifacts. */\n.CodeMirror-vscrollbar, .CodeMirror-hscrollbar, .CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n position: absolute;\n z-index: 6;\n display: none;\n}\n.CodeMirror-vscrollbar {\n right: 0; top: 0;\n overflow-x: hidden;\n overflow-y: scroll;\n}\n.CodeMirror-hscrollbar {\n bottom: 0; left: 0;\n overflow-y: hidden;\n overflow-x: scroll;\n}\n.CodeMirror-scrollbar-filler {\n right: 0; bottom: 0;\n}\n.CodeMirror-gutter-filler {\n left: 0; bottom: 0;\n}\n\n.CodeMirror-gutters {\n position: absolute; left: 0; top: 0;\n min-height: 100%;\n z-index: 3;\n}\n.CodeMirror-gutter {\n white-space: normal;\n height: 100%;\n display: inline-block;\n vertical-align: top;\n margin-bottom: -30px;\n}\n.CodeMirror-gutter-wrapper {\n position: absolute;\n z-index: 4;\n background: none !important;\n border: none !important;\n}\n.CodeMirror-gutter-background {\n position: absolute;\n top: 0; bottom: 0;\n z-index: 4;\n}\n.CodeMirror-gutter-elt {\n position: absolute;\n cursor: default;\n z-index: 4;\n}\n.CodeMirror-gutter-wrapper ::selection { background-color: transparent }\n.CodeMirror-gutter-wrapper ::-moz-selection { background-color: transparent }\n\n.CodeMirror-lines {\n cursor: text;\n min-height: 1px; /* prevents collapsing before first draw */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n /* Reset some styles that the rest of the page might have set */\n -moz-border-radius: 0; -webkit-border-radius: 0; border-radius: 0;\n border-width: 0;\n background: transparent;\n font-family: inherit;\n font-size: inherit;\n margin: 0;\n white-space: pre;\n word-wrap: normal;\n line-height: inherit;\n color: inherit;\n z-index: 2;\n position: relative;\n overflow: visible;\n -webkit-tap-highlight-color: transparent;\n -webkit-font-variant-ligatures: contextual;\n font-variant-ligatures: contextual;\n}\n.CodeMirror-wrap pre.CodeMirror-line,\n.CodeMirror-wrap pre.CodeMirror-line-like {\n word-wrap: break-word;\n white-space: pre-wrap;\n word-break: normal;\n}\n\n.CodeMirror-linebackground {\n position: absolute;\n left: 0; right: 0; top: 0; bottom: 0;\n z-index: 0;\n}\n\n.CodeMirror-linewidget {\n position: relative;\n z-index: 2;\n padding: 0.1px; /* Force widget margins to stay inside of the container */\n}\n\n.CodeMirror-widget {}\n\n.CodeMirror-rtl pre { direction: rtl; }\n\n.CodeMirror-code {\n outline: none;\n}\n\n/* Force content-box sizing for the elements where we expect it */\n.CodeMirror-scroll,\n.CodeMirror-sizer,\n.CodeMirror-gutter,\n.CodeMirror-gutters,\n.CodeMirror-linenumber {\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\n\n.CodeMirror-measure {\n position: absolute;\n width: 100%;\n height: 0;\n overflow: hidden;\n visibility: hidden;\n}\n\n.CodeMirror-cursor {\n position: absolute;\n pointer-events: none;\n}\n.CodeMirror-measure pre { position: static; }\n\ndiv.CodeMirror-cursors {\n visibility: hidden;\n position: relative;\n z-index: 3;\n}\ndiv.CodeMirror-dragcursors {\n visibility: visible;\n}\n\n.CodeMirror-focused div.CodeMirror-cursors {\n visibility: visible;\n}\n\n.CodeMirror-selected { background: #d9d9d9; }\n.CodeMirror-focused .CodeMirror-selected { background: #d7d4f0; }\n.CodeMirror-crosshair { cursor: crosshair; }\n.CodeMirror-line::selection, .CodeMirror-line > span::selection, .CodeMirror-line > span > span::selection { background: #d7d4f0; }\n.CodeMirror-line::-moz-selection, .CodeMirror-line > span::-moz-selection, .CodeMirror-line > span > span::-moz-selection { background: #d7d4f0; }\n\n.cm-searching {\n background-color: #ffa;\n background-color: rgba(255, 255, 0, .4);\n}\n\n/* Used to force a border model for a node */\n.cm-force-border { padding-right: .1px; }\n\n@media print {\n /* Hide the cursor when printing */\n .CodeMirror div.CodeMirror-cursors {\n visibility: hidden;\n }\n}\n\n/* See issue #2901 */\n.cm-tab-wrap-hack:after { content: ''; }\n\n/* Help users use markselection to safely style text background */\nspan.CodeMirror-selectedtext { background: none; }\n"},174:function(e,t,r){(function(e){var n,i,o,l;function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}l=function(e){"use strict";e.defineMode("jinja2",(function(){var e=["and","as","block","endblock","by","cycle","debug","else","elif","extends","filter","endfilter","firstof","for","endfor","if","endif","ifchanged","endifchanged","ifequal","endifequal","ifnotequal","endifnotequal","in","include","load","not","now","or","parsed","regroup","reversed","spaceless","endspaceless","ssi","templatetag","openblock","closeblock","openvariable","closevariable","openbrace","closebrace","opencomment","closecomment","widthratio","url","with","endwith","get_current_language","trans","endtrans","noop","blocktrans","endblocktrans","get_available_languages","get_current_language_bidi","plural"],t=/^[+\-*&%=<>!?|~^]/,r=/^[:\[\(\{]/,n=["true","false"],i=/^(\d[+\-\*\/])?\d+(\.\d+)?/;function o(o,l){var s=o.peek();if(l.incomment)return o.skipTo("#}")?(o.eatWhile(/\#|}/),l.incomment=!1):o.skipToEnd(),"comment";if(l.intag){if(l.operator){if(l.operator=!1,o.match(n))return"atom";if(o.match(i))return"number"}if(l.sign){if(l.sign=!1,o.match(n))return"atom";if(o.match(i))return"number"}if(l.instring)return s==l.instring&&(l.instring=!1),o.next(),"string";if("'"==s||'"'==s)return l.instring=s,o.next(),"string";if(o.match(l.intag+"}")||o.eat("-")&&o.match(l.intag+"}"))return l.intag=!1,"tag";if(o.match(t))return l.operator=!0,"operator";if(o.match(r))l.sign=!0;else if(o.eat(" ")||o.sol()){if(o.match(e))return"keyword";if(o.match(n))return"atom";if(o.match(i))return"number";o.sol()&&o.next()}else o.next();return"variable"}if(o.eat("{")){if(o.eat("#"))return l.incomment=!0,o.skipTo("#}")?(o.eatWhile(/\#|}/),l.incomment=!1):o.skipToEnd(),"comment";if(s=o.eat(/\{|%/))return l.intag=s,"{"==s&&(l.intag="}"),o.eat("-"),"tag"}o.next()}return e=new RegExp("(("+e.join(")|(")+"))\\b"),n=new RegExp("(("+n.join(")|(")+"))\\b"),{startState:function(){return{tokenize:o}},token:function(e,t){return t.tokenize(e,t)},blockCommentStart:"{#",blockCommentEnd:"#}"}})),e.defineMIME("text/jinja2","jinja2")},"object"==s(t)&&"object"==s(e)?l(r(165)):(i=[r(165)],void 0===(o="function"==typeof(n=l)?n.apply(t,i):n)||(e.exports=o))}).call(this,r(120)(e))},175:function(e,t,r){(function(e){var n,i,o,l;function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}l=function(e){"use strict";e.defineMode("yaml",(function(){var e=new RegExp("\\b(("+["true","false","on","off","yes","no"].join(")|(")+"))$","i");return{token:function(t,r){var n=t.peek(),i=r.escaped;if(r.escaped=!1,"#"==n&&(0==t.pos||/\s/.test(t.string.charAt(t.pos-1))))return t.skipToEnd(),"comment";if(t.match(/^('([^']|\\.)*'?|"([^"]|\\.)*"?)/))return"string";if(r.literal&&t.indentation()>r.keyCol)return t.skipToEnd(),"string";if(r.literal&&(r.literal=!1),t.sol()){if(r.keyCol=0,r.pair=!1,r.pairStart=!1,t.match(/---/))return"def";if(t.match(/\.\.\./))return"def";if(t.match(/\s*-\s+/))return"meta"}if(t.match(/^(\{|\}|\[|\])/))return"{"==n?r.inlinePairs++:"}"==n?r.inlinePairs--:"["==n?r.inlineList++:r.inlineList--,"meta";if(r.inlineList>0&&!i&&","==n)return t.next(),"meta";if(r.inlinePairs>0&&!i&&","==n)return r.keyCol=0,r.pair=!1,r.pairStart=!1,t.next(),"meta";if(r.pairStart){if(t.match(/^\s*(\||\>)\s*/))return r.literal=!0,"meta";if(t.match(/^\s*(\&|\*)[a-z0-9\._-]+\b/i))return"variable-2";if(0==r.inlinePairs&&t.match(/^\s*-?[0-9\.\,]+\s?$/))return"number";if(r.inlinePairs>0&&t.match(/^\s*-?[0-9\.\,]+\s?(?=(,|}))/))return"number";if(t.match(e))return"keyword"}return!r.pair&&t.match(/^\s*(?:[,\[\]{}&*!|>'"%@`][^\s'":]|[^,\[\]{}#&*!|>'"%@`])[^#]*?(?=\s*:($|\s))/)?(r.pair=!0,r.keyCol=t.indentation(),"atom"):r.pair&&t.match(/^:\s*/)?(r.pairStart=!0,"meta"):(r.pairStart=!1,r.escaped="\\"==n,t.next(),null)},startState:function(){return{pair:!1,pairStart:!1,keyCol:0,inlinePairs:0,inlineList:0,literal:!1,escaped:!1}},lineComment:"#",fold:"indent"}})),e.defineMIME("text/x-yaml","yaml"),e.defineMIME("text/yaml","yaml")},"object"==s(t)&&"object"==s(e)?l(r(165)):(i=[r(165)],void 0===(o="function"==typeof(n=l)?n.apply(t,i):n)||(e.exports=o))}).call(this,r(120)(e))}}]); -//# sourceMappingURL=chunk.2dfe3739f6cdf06691c3.js.map \ No newline at end of file +(self.webpackJsonp=self.webpackJsonp||[]).push([[8],{164:function(e,t,r){var n,i,o;function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}o=function(){"use strict";var e=navigator.userAgent,t=navigator.platform,r=/gecko\/\d/i.test(e),n=/MSIE \d/.test(e),i=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(e),o=/Edge\/(\d+)/.exec(e),s=n||i||o,a=s&&(n?document.documentMode||6:+(o||i)[1]),u=!o&&/WebKit\//.test(e),c=u&&/Qt\/\d+\.\d+/.test(e),f=!o&&/Chrome\//.test(e),d=/Opera\//.test(e),h=/Apple Computer/.test(navigator.vendor),p=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(e),g=/PhantomJS/.test(e),m=!o&&/AppleWebKit/.test(e)&&/Mobile\/\w+/.test(e),v=/Android/.test(e),y=m||v||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(e),b=m||/Mac/.test(t),w=/\bCrOS\b/.test(e),x=/win/i.test(t),C=d&&e.match(/Version\/(\d*\.\d*)/);C&&(C=Number(C[1])),C&&C>=15&&(d=!1,u=!0);var S=b&&(c||d&&(null==C||C<12.11)),k=r||s&&a>=9;function M(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var L,T=function(e,t){var r=e.className,n=M(t).exec(r);if(n){var i=r.slice(n.index+n[0].length);e.className=r.slice(0,n.index)+(i?n[1]+i:"")}};function N(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function O(e,t){return N(e).appendChild(t)}function A(e,t,r,n){var i=document.createElement(e);if(r&&(i.className=r),n&&(i.style.cssText=n),"string"==typeof t)i.appendChild(document.createTextNode(t));else if(t)for(var o=0;o=t)return l+(t-o);l+=s-o,l+=r-l%r,o=s+1}}m?P=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:s&&(P=function(e){try{e.select()}catch(t){}});var B=function(){this.id=null};function G(e,t){for(var r=0;r=t)return n+Math.min(l,t-i);if(i+=o-n,n=o+1,(i+=r-i%r)>=t)return n}}var _=[""];function Y(e){for(;_.length<=e;)_.push(q(_)+" ");return _[e]}function q(e){return e[e.length-1]}function $(e,t){for(var r=[],n=0;n"€"&&(e.toUpperCase()!=e.toLowerCase()||Q.test(e))}function te(e,t){return t?!!(t.source.indexOf("\\w")>-1&&ee(e))||t.test(e):ee(e)}function re(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var ne=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function ie(e){return e.charCodeAt(0)>=768&&ne.test(e)}function oe(e,t,r){for(;(r<0?t>0:tr?-1:1;;){if(t==r)return t;var i=(t+r)/2,o=n<0?Math.ceil(i):Math.floor(i);if(o==t)return e(o)?t:r;e(o)?r=o:t=o+n}}var se=null;function ae(e,t,r){var n;se=null;for(var i=0;it)return i;o.to==t&&(o.from!=o.to&&"before"==r?n=i:se=i),o.from==t&&(o.from!=o.to&&"before"!=r?n=i:se=i)}return null!=n?n:se}var ue=function(){var e=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,t=/[stwN]/,r=/[LRr]/,n=/[Lb1n]/,i=/[1n]/;function o(e,t,r){this.level=e,this.from=t,this.to=r}return function(l,s){var a="ltr"==s?"L":"R";if(0==l.length||"ltr"==s&&!e.test(l))return!1;for(var u,c=l.length,f=[],d=0;d-1&&(n[t]=i.slice(0,o).concat(i.slice(o+1)))}}}function ge(e,t){var r=he(e,t);if(r.length)for(var n=Array.prototype.slice.call(arguments,2),i=0;i0}function be(e){e.prototype.on=function(e,t){de(this,e,t)},e.prototype.off=function(e,t){pe(this,e,t)}}function we(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function xe(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function Ce(e){return null!=e.defaultPrevented?e.defaultPrevented:0==e.returnValue}function Se(e){we(e),xe(e)}function ke(e){return e.target||e.srcElement}function Me(e){var t=e.which;return null==t&&(1&e.button?t=1:2&e.button?t=3:4&e.button&&(t=2)),b&&e.ctrlKey&&1==t&&(t=3),t}var Le,Te,Ne=function(){if(s&&a<9)return!1;var e=A("div");return"draggable"in e||"dragDrop"in e}();function Oe(e){if(null==Le){var t=A("span","​");O(e,A("span",[t,document.createTextNode("x")])),0!=e.firstChild.offsetHeight&&(Le=t.offsetWidth<=1&&t.offsetHeight>2&&!(s&&a<8))}var r=Le?A("span","​"):A("span"," ",null,"display: inline-block; width: 1px; margin-right: -1px");return r.setAttribute("cm-text",""),r}function Ae(e){if(null!=Te)return Te;var t=O(e,document.createTextNode("AخA")),r=L(t,0,1).getBoundingClientRect(),n=L(t,1,2).getBoundingClientRect();return N(e),!(!r||r.left==r.right)&&(Te=n.right-r.right<3)}var De,We=3!="\n\nb".split(/\n/).length?function(e){for(var t=0,r=[],n=e.length;t<=n;){var i=e.indexOf("\n",t);-1==i&&(i=e.length);var o=e.slice(t,"\r"==e.charAt(i-1)?i-1:i),l=o.indexOf("\r");-1!=l?(r.push(o.slice(0,l)),t+=l+1):(r.push(o),t=i+1)}return r}:function(e){return e.split(/\r\n?|\n/)},He=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch(De){return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch(De){}return!(!t||t.parentElement()!=e)&&0!=t.compareEndPoints("StartToEnd",t)},ze="oncopy"in(De=A("div"))||(De.setAttribute("oncopy","return;"),"function"==typeof De.oncopy),Fe=null,Pe={},Ee={};function Ie(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),Pe[e]=t}function Re(e){if("string"==typeof e&&Ee.hasOwnProperty(e))e=Ee[e];else if(e&&"string"==typeof e.name&&Ee.hasOwnProperty(e.name)){var t=Ee[e.name];"string"==typeof t&&(t={name:t}),(e=J(t,e)).name=t.name}else{if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return Re("application/xml");if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return Re("application/json")}return"string"==typeof e?{name:e}:e||{name:"null"}}function Be(e,t){t=Re(t);var r=Pe[t.name];if(!r)return Be(e,"text/plain");var n=r(e,t);if(Ge.hasOwnProperty(t.name)){var i=Ge[t.name];for(var o in i)i.hasOwnProperty(o)&&(n.hasOwnProperty(o)&&(n["_"+o]=n[o]),n[o]=i[o])}if(n.name=t.name,t.helperType&&(n.helperType=t.helperType),t.modeProps)for(var l in t.modeProps)n[l]=t.modeProps[l];return n}var Ge={};function Ue(e,t){I(t,Ge.hasOwnProperty(e)?Ge[e]:Ge[e]={})}function Ve(e,t){if(!0===t)return t;if(e.copyState)return e.copyState(t);var r={};for(var n in t){var i=t[n];i instanceof Array&&(i=i.concat([])),r[n]=i}return r}function je(e,t){for(var r;e.innerMode&&(r=e.innerMode(t))&&r.mode!=e;)t=r.state,e=r.mode;return r||{mode:e,state:t}}function Ke(e,t,r){return!e.startState||e.startState(t,r)}var Xe=function(e,t,r){this.pos=this.start=0,this.string=e,this.tabSize=t||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=r};function _e(e,t){if((t-=e.first)<0||t>=e.size)throw new Error("There is no line "+(t+e.first)+" in the document.");for(var r=e;!r.lines;)for(var n=0;;++n){var i=r.children[n],o=i.chunkSize();if(t=e.first&&tr?tt(r,_e(e,r).text.length):function(e,t){var r=e.ch;return null==r||r>t?tt(e.line,t):r<0?tt(e.line,0):e}(t,_e(e,t.line).text.length)}function ut(e,t){for(var r=[],n=0;n=this.string.length},Xe.prototype.sol=function(){return this.pos==this.lineStart},Xe.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},Xe.prototype.next=function(){if(this.post},Xe.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},Xe.prototype.skipToEnd=function(){this.pos=this.string.length},Xe.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},Xe.prototype.backUp=function(e){this.pos-=e},Xe.prototype.column=function(){return this.lastColumnPos0?null:(n&&!1!==t&&(this.pos+=n[0].length),n)}var i=function(e){return r?e.toLowerCase():e};if(i(this.string.substr(this.pos,e.length))==i(e))return!1!==t&&(this.pos+=e.length),!0},Xe.prototype.current=function(){return this.string.slice(this.start,this.pos)},Xe.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},Xe.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},Xe.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};var ct=function(e,t){this.state=e,this.lookAhead=t},ft=function(e,t,r,n){this.state=t,this.doc=e,this.line=r,this.maxLookAhead=n||0,this.baseTokens=null,this.baseTokenPos=1};function dt(e,t,r,n){var i=[e.state.modeGen],o={};xt(e,t.text,e.doc.mode,r,(function(e,t){return i.push(e,t)}),o,n);for(var l=r.state,s=function(n){r.baseTokens=i;var s=e.state.overlays[n],a=1,u=0;r.state=!0,xt(e,t.text,s.mode,r,(function(e,t){for(var r=a;ue&&i.splice(a,1,e,i[a+1],n),a+=2,u=Math.min(e,n)}if(t)if(s.opaque)i.splice(r,a-r,e,"overlay "+t),a=r+2;else for(;re.options.maxHighlightLength&&Ve(e.doc.mode,n.state),o=dt(e,t,n);i&&(n.state=i),t.stateAfter=n.save(!i),t.styles=o.styles,o.classes?t.styleClasses=o.classes:t.styleClasses&&(t.styleClasses=null),r===e.doc.highlightFrontier&&(e.doc.modeFrontier=Math.max(e.doc.modeFrontier,++e.doc.highlightFrontier))}return t.styles}function pt(e,t,r){var n=e.doc,i=e.display;if(!n.mode.startState)return new ft(n,!0,t);var o=function(e,t,r){for(var n,i,o=e.doc,l=r?-1:t-(e.doc.mode.innerMode?1e3:100),s=t;s>l;--s){if(s<=o.first)return o.first;var a=_e(o,s-1),u=a.stateAfter;if(u&&(!r||s+(u instanceof ct?u.lookAhead:0)<=o.modeFrontier))return s;var c=R(a.text,null,e.options.tabSize);(null==i||n>c)&&(i=s-1,n=c)}return i}(e,t,r),l=o>n.first&&_e(n,o-1).stateAfter,s=l?ft.fromSaved(n,l,o):new ft(n,Ke(n.mode),o);return n.iter(o,t,(function(r){gt(e,r.text,s);var n=s.line;r.stateAfter=n==t-1||n%5==0||n>=i.viewFrom&&nt.start)return o}throw new Error("Mode "+e.name+" failed to advance stream.")}ft.prototype.lookAhead=function(e){var t=this.doc.getLine(this.line+e);return null!=t&&e>this.maxLookAhead&&(this.maxLookAhead=e),t},ft.prototype.baseToken=function(e){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=e;)this.baseTokenPos+=2;var t=this.baseTokens[this.baseTokenPos+1];return{type:t&&t.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-e}},ft.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},ft.fromSaved=function(e,t,r){return t instanceof ct?new ft(e,Ve(e.mode,t.state),r,t.lookAhead):new ft(e,Ve(e.mode,t),r)},ft.prototype.save=function(e){var t=!1!==e?Ve(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new ct(t,this.maxLookAhead):t};var yt=function(e,t,r){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=r};function bt(e,t,r,n){var i,o,l=e.doc,s=l.mode,a=_e(l,(t=at(l,t)).line),u=pt(e,t.line,r),c=new Xe(a.text,e.options.tabSize,u);for(n&&(o=[]);(n||c.pose.options.maxHighlightLength?(s=!1,l&>(e,t,n,f.pos),f.pos=t.length,a=null):a=wt(vt(r,f,n.state,d),o),d){var h=d[0].name;h&&(a="m-"+(a?h+" "+a:h))}if(!s||c!=a){for(;u=t:o.to>t);(n||(n=[])).push(new kt(l,o.from,s?null:o.to))}}return n}(r,i,l),a=function(e,t,r){var n;if(e)for(var i=0;i=t:o.to>t)||o.from==t&&"bookmark"==l.type&&(!r||o.marker.insertLeft)){var s=null==o.from||(l.inclusiveLeft?o.from<=t:o.from0&&s)for(var b=0;bt)&&(!r||Ht(r,o.marker)<0)&&(r=o.marker)}return r}function It(e,t,r,n,i){var o=_e(e,t),l=St&&o.markedSpans;if(l)for(var s=0;s=0&&f<=0||c<=0&&f>=0)&&(c<=0&&(a.marker.inclusiveRight&&i.inclusiveLeft?rt(u.to,r)>=0:rt(u.to,r)>0)||c>=0&&(a.marker.inclusiveRight&&i.inclusiveLeft?rt(u.from,n)<=0:rt(u.from,n)<0)))return!0}}}function Rt(e){for(var t;t=Ft(e);)e=t.find(-1,!0).line;return e}function Bt(e,t){var r=_e(e,t),n=Rt(r);return r==n?t:Ze(n)}function Gt(e,t){if(t>e.lastLine())return t;var r,n=_e(e,t);if(!Ut(e,n))return t;for(;r=Pt(n);)n=r.find(1,!0).line;return Ze(n)+1}function Ut(e,t){var r=St&&t.markedSpans;if(r)for(var n=void 0,i=0;it.maxLineLength&&(t.maxLineLength=r,t.maxLine=e)}))}var _t=function(e,t,r){this.text=e,At(this,t),this.height=r?r(this):1};function Yt(e){e.parent=null,Ot(e)}_t.prototype.lineNo=function(){return Ze(this)},be(_t);var qt={},$t={};function Zt(e,t){if(!e||/^\s*$/.test(e))return null;var r=t.addModeClass?$t:qt;return r[e]||(r[e]=e.replace(/\S+/g,"cm-$&"))}function Jt(e,t){var r=D("span",null,null,u?"padding-right: .1px":null),n={pre:D("pre",[r],"CodeMirror-line"),content:r,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var i=0;i<=(t.rest?t.rest.length:0);i++){var o=i?t.rest[i-1]:t.line,l=void 0;n.pos=0,n.addToken=er,Ae(e.display.measure)&&(l=ce(o,e.doc.direction))&&(n.addToken=tr(n.addToken,l)),n.map=[],nr(o,n,ht(e,o,t!=e.display.externalMeasured&&Ze(o))),o.styleClasses&&(o.styleClasses.bgClass&&(n.bgClass=F(o.styleClasses.bgClass,n.bgClass||"")),o.styleClasses.textClass&&(n.textClass=F(o.styleClasses.textClass,n.textClass||""))),0==n.map.length&&n.map.push(0,0,n.content.appendChild(Oe(e.display.measure))),0==i?(t.measure.map=n.map,t.measure.cache={}):((t.measure.maps||(t.measure.maps=[])).push(n.map),(t.measure.caches||(t.measure.caches=[])).push({}))}if(u){var s=n.content.lastChild;(/\bcm-tab\b/.test(s.className)||s.querySelector&&s.querySelector(".cm-tab"))&&(n.content.className="cm-tab-wrap-hack")}return ge(e,"renderLine",e,t.line,n.pre),n.pre.className&&(n.textClass=F(n.pre.className,n.textClass||"")),n}function Qt(e){var t=A("span","•","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function er(e,t,r,n,i,o,l){if(t){var u,c=e.splitSpaces?function(e,t){if(e.length>1&&!/ /.test(e))return e;for(var r=t,n="",i=0;iu&&f.from<=u);d++);if(f.to>=c)return e(r,n,i,o,l,s,a);e(r,n.slice(0,f.to-u),i,o,null,s,a),o=null,n=n.slice(f.to-u),u=f.to}}}function rr(e,t,r,n){var i=!n&&r.widgetNode;i&&e.map.push(e.pos,e.pos+t,i),!n&&e.cm.display.input.needsContentAttribute&&(i||(i=e.content.appendChild(document.createElement("span"))),i.setAttribute("cm-marker",r.id)),i&&(e.cm.display.input.setUneditable(i),e.content.appendChild(i)),e.pos+=t,e.trailingSpace=!1}function nr(e,t,r){var n=e.markedSpans,i=e.text,o=0;if(n)for(var l,s,a,u,c,f,d,h=i.length,p=0,g=1,m="",v=0;;){if(v==p){a=u=c=s="",d=null,f=null,v=1/0;for(var y=[],b=void 0,w=0;wp||C.collapsed&&x.to==p&&x.from==p)){if(null!=x.to&&x.to!=p&&v>x.to&&(v=x.to,u=""),C.className&&(a+=" "+C.className),C.css&&(s=(s?s+";":"")+C.css),C.startStyle&&x.from==p&&(c+=" "+C.startStyle),C.endStyle&&x.to==v&&(b||(b=[])).push(C.endStyle,x.to),C.title&&((d||(d={})).title=C.title),C.attributes)for(var S in C.attributes)(d||(d={}))[S]=C.attributes[S];C.collapsed&&(!f||Ht(f.marker,C)<0)&&(f=x)}else x.from>p&&v>x.from&&(v=x.from)}if(b)for(var k=0;k=h)break;for(var L=Math.min(h,v);;){if(m){var T=p+m.length;if(!f){var N=T>L?m.slice(0,L-p):m;t.addToken(t,N,l?l+a:a,c,p+N.length==v?u:"",s,d)}if(T>=L){m=m.slice(L-p),p=L;break}p=T,c=""}m=i.slice(o,o=r[g++]),l=Zt(r[g++],t.cm.options)}}else for(var O=1;Or)return{map:e.measure.maps[i],cache:e.measure.caches[i],before:!0}}function Ar(e,t,r,n){return Hr(e,Wr(e,t),r,n)}function Dr(e,t){if(t>=e.display.viewFrom&&t=r.lineN&&t2&&o.push((a.bottom+u.top)/2-r.top)}}o.push(r.bottom-r.top)}}(e,t.view,t.rect),t.hasHeights=!0),(o=function(e,t,r,n){var i,o=Pr(t.map,r,n),l=o.node,u=o.start,c=o.end,f=o.collapse;if(3==l.nodeType){for(var d=0;d<4;d++){for(;u&&ie(t.line.text.charAt(o.coverStart+u));)--u;for(;o.coverStart+c1}(e))return t;var r=screen.logicalXDPI/screen.deviceXDPI,n=screen.logicalYDPI/screen.deviceYDPI;return{left:t.left*r,right:t.right*r,top:t.top*n,bottom:t.bottom*n}}(e.display.measure,i))}else{var h;u>0&&(f=n="right"),i=e.options.lineWrapping&&(h=l.getClientRects()).length>1?h["right"==n?h.length-1:0]:l.getBoundingClientRect()}if(s&&a<9&&!u&&(!i||!i.left&&!i.right)){var p=l.parentNode.getClientRects()[0];i=p?{left:p.left,right:p.left+on(e.display),top:p.top,bottom:p.bottom}:Fr}for(var g=i.top-t.rect.top,m=i.bottom-t.rect.top,v=(g+m)/2,y=t.view.measure.heights,b=0;bt)&&(i=(o=a-s)-1,t>=a&&(l="right")),null!=i){if(n=e[u+2],s==a&&r==(n.insertLeft?"left":"right")&&(l=r),"left"==r&&0==i)for(;u&&e[u-2]==e[u-3]&&e[u-1].insertLeft;)n=e[2+(u-=3)],l="left";if("right"==r&&i==a-s)for(;u=0&&(r=e[i]).left==r.right;i--);return r}function Ir(e){if(e.measure&&(e.measure.cache={},e.measure.heights=null,e.rest))for(var t=0;t=n.text.length?(a=n.text.length,u="before"):a<=0&&(a=0,u="after"),!s)return l("before"==u?a-1:a,"before"==u);function c(e,t,r){return l(r?e-1:e,1==s[t].level!=r)}var f=ae(s,a,u),d=se,h=c(a,f,"before"==u);return null!=d&&(h.other=c(a,d,"before"!=u)),h}function Yr(e,t){var r=0;t=at(e.doc,t),e.options.lineWrapping||(r=on(e.display)*t.ch);var n=_e(e.doc,t.line),i=jt(n)+Sr(e.display);return{left:r,right:r,top:i,bottom:i+n.height}}function qr(e,t,r,n,i){var o=tt(e,t,r);return o.xRel=i,n&&(o.outside=n),o}function $r(e,t,r){var n=e.doc;if((r+=e.display.viewOffset)<0)return qr(n.first,0,null,-1,-1);var i=Je(n,r),o=n.first+n.size-1;if(i>o)return qr(n.first+n.size-1,_e(n,o).text.length,null,1,1);t<0&&(t=0);for(var l=_e(n,i);;){var s=en(e,l,i,t,r),a=Et(l,s.ch+(s.xRel>0||s.outside>0?1:0));if(!a)return s;var u=a.find(1);if(u.line==i)return u;l=_e(n,i=u.line)}}function Zr(e,t,r,n){n-=Vr(t);var i=t.text.length,o=le((function(t){return Hr(e,r,t-1).bottom<=n}),i,0);return{begin:o,end:i=le((function(t){return Hr(e,r,t).top>n}),o,i)}}function Jr(e,t,r,n){return r||(r=Wr(e,t)),Zr(e,t,r,jr(e,t,Hr(e,r,n),"line").top)}function Qr(e,t,r,n){return!(e.bottom<=r)&&(e.top>r||(n?e.left:e.right)>t)}function en(e,t,r,n,i){i-=jt(t);var o=Wr(e,t),l=Vr(t),s=0,a=t.text.length,u=!0,c=ce(t,e.doc.direction);if(c){var f=(e.options.lineWrapping?rn:tn)(e,t,r,o,c,n,i);s=(u=1!=f.level)?f.from:f.to-1,a=u?f.to:f.from-1}var d,h,p=null,g=null,m=le((function(t){var r=Hr(e,o,t);return r.top+=l,r.bottom+=l,!!Qr(r,n,i,!1)&&(r.top<=i&&r.left<=n&&(p=t,g=r),!0)}),s,a),v=!1;if(g){var y=n-g.left=w.bottom?1:0}return qr(r,m=oe(t.text,m,1),h,v,n-d)}function tn(e,t,r,n,i,o,l){var s=le((function(s){var a=i[s],u=1!=a.level;return Qr(_r(e,tt(r,u?a.to:a.from,u?"before":"after"),"line",t,n),o,l,!0)}),0,i.length-1),a=i[s];if(s>0){var u=1!=a.level,c=_r(e,tt(r,u?a.from:a.to,u?"after":"before"),"line",t,n);Qr(c,o,l,!0)&&c.top>l&&(a=i[s-1])}return a}function rn(e,t,r,n,i,o,l){var s=Zr(e,t,n,l),a=s.begin,u=s.end;/\s/.test(t.text.charAt(u-1))&&u--;for(var c=null,f=null,d=0;d=u||h.to<=a)){var p=Hr(e,n,1!=h.level?Math.min(u,h.to)-1:Math.max(a,h.from)).right,g=pg)&&(c=h,f=g)}}return c||(c=i[i.length-1]),c.fromu&&(c={from:c.from,to:u,level:c.level}),c}function nn(e){if(null!=e.cachedTextHeight)return e.cachedTextHeight;if(null==zr){zr=A("pre",null,"CodeMirror-line-like");for(var t=0;t<49;++t)zr.appendChild(document.createTextNode("x")),zr.appendChild(A("br"));zr.appendChild(document.createTextNode("x"))}O(e.measure,zr);var r=zr.offsetHeight/50;return r>3&&(e.cachedTextHeight=r),N(e.measure),r||1}function on(e){if(null!=e.cachedCharWidth)return e.cachedCharWidth;var t=A("span","xxxxxxxxxx"),r=A("pre",[t],"CodeMirror-line-like");O(e.measure,r);var n=t.getBoundingClientRect(),i=(n.right-n.left)/10;return i>2&&(e.cachedCharWidth=i),i||10}function ln(e){for(var t=e.display,r={},n={},i=t.gutters.clientLeft,o=t.gutters.firstChild,l=0;o;o=o.nextSibling,++l){var s=e.display.gutterSpecs[l].className;r[s]=o.offsetLeft+o.clientLeft+i,n[s]=o.clientWidth}return{fixedPos:sn(t),gutterTotalWidth:t.gutters.offsetWidth,gutterLeft:r,gutterWidth:n,wrapperWidth:t.wrapper.clientWidth}}function sn(e){return e.scroller.getBoundingClientRect().left-e.sizer.getBoundingClientRect().left}function an(e){var t=nn(e.display),r=e.options.lineWrapping,n=r&&Math.max(5,e.display.scroller.clientWidth/on(e.display)-3);return function(i){if(Ut(e.doc,i))return 0;var o=0;if(i.widgets)for(var l=0;l=e.display.viewTo)return null;if((t-=e.display.viewFrom)<0)return null;for(var r=e.display.view,n=0;nt)&&(i.updateLineNumbers=t),e.curOp.viewChanged=!0,t>=i.viewTo)St&&Bt(e.doc,t)i.viewFrom?pn(e):(i.viewFrom+=n,i.viewTo+=n);else if(t<=i.viewFrom&&r>=i.viewTo)pn(e);else if(t<=i.viewFrom){var o=gn(e,r,r+n,1);o?(i.view=i.view.slice(o.index),i.viewFrom=o.lineN,i.viewTo+=n):pn(e)}else if(r>=i.viewTo){var l=gn(e,t,t,-1);l?(i.view=i.view.slice(0,l.index),i.viewTo=l.lineN):pn(e)}else{var s=gn(e,t,t,-1),a=gn(e,r,r+n,1);s&&a?(i.view=i.view.slice(0,s.index).concat(or(e,s.lineN,a.lineN)).concat(i.view.slice(a.index)),i.viewTo+=n):pn(e)}var u=i.externalMeasured;u&&(r=i.lineN&&t=n.viewTo)){var o=n.view[fn(e,t)];if(null!=o.node){var l=o.changes||(o.changes=[]);-1==G(l,r)&&l.push(r)}}}function pn(e){e.display.viewFrom=e.display.viewTo=e.doc.first,e.display.view=[],e.display.viewOffset=0}function gn(e,t,r,n){var i,o=fn(e,t),l=e.display.view;if(!St||r==e.doc.first+e.doc.size)return{index:o,lineN:r};for(var s=e.display.viewFrom,a=0;a0){if(o==l.length-1)return null;i=s+l[o].size-t,o++}else i=s-t;t+=i,r+=i}for(;Bt(e.doc,r)!=r;){if(o==(n<0?0:l.length-1))return null;r+=n*l[o-(n<0?1:0)].size,o+=n}return{index:o,lineN:r}}function mn(e){for(var t=e.display.view,r=0,n=0;n=e.display.viewTo||s.to().linet||t==r&&l.to==t)&&(n(Math.max(l.from,t),Math.min(l.to,r),1==l.level?"rtl":"ltr",o),i=!0)}i||n(t,r,"ltr")}(g,r||0,null==n?d:n,(function(e,t,i,f){var m="ltr"==i,v=h(e,m?"left":"right"),y=h(t-1,m?"right":"left"),b=null==r&&0==e,w=null==n&&t==d,x=0==f,C=!g||f==g.length-1;if(y.top-v.top<=3){var S=(u?w:b)&&C,k=(u?b:w)&&x?s:(m?v:y).left,M=S?a:(m?y:v).right;c(k,v.top,M-k,v.bottom)}else{var L,T,N,O;m?(L=u&&b&&x?s:v.left,T=u?a:p(e,i,"before"),N=u?s:p(t,i,"after"),O=u&&w&&C?a:y.right):(L=u?p(e,i,"before"):s,T=!u&&b&&x?a:v.right,N=!u&&w&&C?s:y.left,O=u?p(t,i,"after"):a),c(L,v.top,T-L,v.bottom),v.bottom0?t.blinker=setInterval((function(){return t.cursorDiv.style.visibility=(r=!r)?"":"hidden"}),e.options.cursorBlinkRate):e.options.cursorBlinkRate<0&&(t.cursorDiv.style.visibility="hidden")}}function Sn(e){e.state.focused||(e.display.input.focus(),Mn(e))}function kn(e){e.state.delayingBlurEvent=!0,setTimeout((function(){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1,Ln(e))}),100)}function Mn(e,t){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1),"nocursor"!=e.options.readOnly&&(e.state.focused||(ge(e,"focus",e,t),e.state.focused=!0,z(e.display.wrapper,"CodeMirror-focused"),e.curOp||e.display.selForContextMenu==e.doc.sel||(e.display.input.reset(),u&&setTimeout((function(){return e.display.input.reset(!0)}),20)),e.display.input.receivedFocus()),Cn(e))}function Ln(e,t){e.state.delayingBlurEvent||(e.state.focused&&(ge(e,"blur",e,t),e.state.focused=!1,T(e.display.wrapper,"CodeMirror-focused")),clearInterval(e.display.blinker),setTimeout((function(){e.state.focused||(e.display.shift=!1)}),150))}function Tn(e){for(var t=e.display,r=t.lineDiv.offsetTop,n=0;n.005||d<-.005)&&($e(i.line,l),Nn(i.line),i.rest))for(var h=0;he.display.sizerWidth){var p=Math.ceil(u/on(e.display));p>e.display.maxLineLength&&(e.display.maxLineLength=p,e.display.maxLine=i.line,e.display.maxLineChanged=!0)}}}}function Nn(e){if(e.widgets)for(var t=0;t=l&&(o=Je(t,jt(_e(t,a))-e.wrapper.clientHeight),l=a)}return{from:o,to:Math.max(l,o+1)}}function An(e,t){var r=e.display,n=nn(e.display);t.top<0&&(t.top=0);var i=e.curOp&&null!=e.curOp.scrollTop?e.curOp.scrollTop:r.scroller.scrollTop,o=Nr(e),l={};t.bottom-t.top>o&&(t.bottom=t.top+o);var s=e.doc.height+kr(r),a=t.tops-n;if(t.topi+o){var c=Math.min(t.top,(u?s:t.bottom)-o);c!=i&&(l.scrollTop=c)}var f=e.curOp&&null!=e.curOp.scrollLeft?e.curOp.scrollLeft:r.scroller.scrollLeft,d=Tr(e)-(e.options.fixedGutter?r.gutters.offsetWidth:0),h=t.right-t.left>d;return h&&(t.right=t.left+d),t.left<10?l.scrollLeft=0:t.leftd+f-3&&(l.scrollLeft=t.right+(h?0:10)-d),l}function Dn(e,t){null!=t&&(zn(e),e.curOp.scrollTop=(null==e.curOp.scrollTop?e.doc.scrollTop:e.curOp.scrollTop)+t)}function Wn(e){zn(e);var t=e.getCursor();e.curOp.scrollToPos={from:t,to:t,margin:e.options.cursorScrollMargin}}function Hn(e,t,r){null==t&&null==r||zn(e),null!=t&&(e.curOp.scrollLeft=t),null!=r&&(e.curOp.scrollTop=r)}function zn(e){var t=e.curOp.scrollToPos;t&&(e.curOp.scrollToPos=null,Fn(e,Yr(e,t.from),Yr(e,t.to),t.margin))}function Fn(e,t,r,n){var i=An(e,{left:Math.min(t.left,r.left),top:Math.min(t.top,r.top)-n,right:Math.max(t.right,r.right),bottom:Math.max(t.bottom,r.bottom)+n});Hn(e,i.scrollLeft,i.scrollTop)}function Pn(e,t){Math.abs(e.doc.scrollTop-t)<2||(r||ui(e,{top:t}),En(e,t,!0),r&&ui(e),ii(e,100))}function En(e,t,r){t=Math.min(e.display.scroller.scrollHeight-e.display.scroller.clientHeight,t),(e.display.scroller.scrollTop!=t||r)&&(e.doc.scrollTop=t,e.display.scrollbars.setScrollTop(t),e.display.scroller.scrollTop!=t&&(e.display.scroller.scrollTop=t))}function In(e,t,r,n){t=Math.min(t,e.display.scroller.scrollWidth-e.display.scroller.clientWidth),(r?t==e.doc.scrollLeft:Math.abs(e.doc.scrollLeft-t)<2)&&!n||(e.doc.scrollLeft=t,di(e),e.display.scroller.scrollLeft!=t&&(e.display.scroller.scrollLeft=t),e.display.scrollbars.setScrollLeft(t))}function Rn(e){var t=e.display,r=t.gutters.offsetWidth,n=Math.round(e.doc.height+kr(e.display));return{clientHeight:t.scroller.clientHeight,viewHeight:t.wrapper.clientHeight,scrollWidth:t.scroller.scrollWidth,clientWidth:t.scroller.clientWidth,viewWidth:t.wrapper.clientWidth,barLeft:e.options.fixedGutter?r:0,docHeight:n,scrollHeight:n+Lr(e)+t.barHeight,nativeBarWidth:t.nativeBarWidth,gutterWidth:r}}var Bn=function(e,t,r){this.cm=r;var n=this.vert=A("div",[A("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),i=this.horiz=A("div",[A("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");n.tabIndex=i.tabIndex=-1,e(n),e(i),de(n,"scroll",(function(){n.clientHeight&&t(n.scrollTop,"vertical")})),de(i,"scroll",(function(){i.clientWidth&&t(i.scrollLeft,"horizontal")})),this.checkedZeroWidth=!1,s&&a<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};Bn.prototype.update=function(e){var t=e.scrollWidth>e.clientWidth+1,r=e.scrollHeight>e.clientHeight+1,n=e.nativeBarWidth;if(r){this.vert.style.display="block",this.vert.style.bottom=t?n+"px":"0";var i=e.viewHeight-(t?n:0);this.vert.firstChild.style.height=Math.max(0,e.scrollHeight-e.clientHeight+i)+"px"}else this.vert.style.display="",this.vert.firstChild.style.height="0";if(t){this.horiz.style.display="block",this.horiz.style.right=r?n+"px":"0",this.horiz.style.left=e.barLeft+"px";var o=e.viewWidth-e.barLeft-(r?n:0);this.horiz.firstChild.style.width=Math.max(0,e.scrollWidth-e.clientWidth+o)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&e.clientHeight>0&&(0==n&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:r?n:0,bottom:t?n:0}},Bn.prototype.setScrollLeft=function(e){this.horiz.scrollLeft!=e&&(this.horiz.scrollLeft=e),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},Bn.prototype.setScrollTop=function(e){this.vert.scrollTop!=e&&(this.vert.scrollTop=e),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},Bn.prototype.zeroWidthHack=function(){var e=b&&!p?"12px":"18px";this.horiz.style.height=this.vert.style.width=e,this.horiz.style.pointerEvents=this.vert.style.pointerEvents="none",this.disableHoriz=new B,this.disableVert=new B},Bn.prototype.enableZeroWidthBar=function(e,t,r){e.style.pointerEvents="auto",t.set(1e3,(function n(){var i=e.getBoundingClientRect();("vert"==r?document.elementFromPoint(i.right-1,(i.top+i.bottom)/2):document.elementFromPoint((i.right+i.left)/2,i.bottom-1))!=e?e.style.pointerEvents="none":t.set(1e3,n)}))},Bn.prototype.clear=function(){var e=this.horiz.parentNode;e.removeChild(this.horiz),e.removeChild(this.vert)};var Gn=function(){};function Un(e,t){t||(t=Rn(e));var r=e.display.barWidth,n=e.display.barHeight;Vn(e,t);for(var i=0;i<4&&r!=e.display.barWidth||n!=e.display.barHeight;i++)r!=e.display.barWidth&&e.options.lineWrapping&&Tn(e),Vn(e,Rn(e)),r=e.display.barWidth,n=e.display.barHeight}function Vn(e,t){var r=e.display,n=r.scrollbars.update(t);r.sizer.style.paddingRight=(r.barWidth=n.right)+"px",r.sizer.style.paddingBottom=(r.barHeight=n.bottom)+"px",r.heightForcer.style.borderBottom=n.bottom+"px solid transparent",n.right&&n.bottom?(r.scrollbarFiller.style.display="block",r.scrollbarFiller.style.height=n.bottom+"px",r.scrollbarFiller.style.width=n.right+"px"):r.scrollbarFiller.style.display="",n.bottom&&e.options.coverGutterNextToScrollbar&&e.options.fixedGutter?(r.gutterFiller.style.display="block",r.gutterFiller.style.height=n.bottom+"px",r.gutterFiller.style.width=t.gutterWidth+"px"):r.gutterFiller.style.display=""}Gn.prototype.update=function(){return{bottom:0,right:0}},Gn.prototype.setScrollLeft=function(){},Gn.prototype.setScrollTop=function(){},Gn.prototype.clear=function(){};var jn={native:Bn,null:Gn};function Kn(e){e.display.scrollbars&&(e.display.scrollbars.clear(),e.display.scrollbars.addClass&&T(e.display.wrapper,e.display.scrollbars.addClass)),e.display.scrollbars=new jn[e.options.scrollbarStyle]((function(t){e.display.wrapper.insertBefore(t,e.display.scrollbarFiller),de(t,"mousedown",(function(){e.state.focused&&setTimeout((function(){return e.display.input.focus()}),0)})),t.setAttribute("cm-not-content","true")}),(function(t,r){"horizontal"==r?In(e,t):Pn(e,t)}),e),e.display.scrollbars.addClass&&z(e.display.wrapper,e.display.scrollbars.addClass)}var Xn=0;function _n(e){var t;e.curOp={cm:e,viewChanged:!1,startHeight:e.doc.height,forceUpdate:!1,updateInput:0,typing:!1,changeObjs:null,cursorActivityHandlers:null,cursorActivityCalled:0,selectionChanged:!1,updateMaxLine:!1,scrollLeft:null,scrollTop:null,scrollToPos:null,focus:!1,id:++Xn},t=e.curOp,lr?lr.ops.push(t):t.ownsGroup=lr={ops:[t],delayedCallbacks:[]}}function Yn(e){var t=e.curOp;t&&function(e,t){var r=e.ownsGroup;if(r)try{!function(e){var t=e.delayedCallbacks,r=0;do{for(;r=r.viewTo)||r.maxLineChanged&&t.options.lineWrapping,e.update=e.mustUpdate&&new li(t,e.mustUpdate&&{top:e.scrollTop,ensure:e.scrollToPos},e.forceUpdate)}function $n(e){e.updatedDisplay=e.mustUpdate&&si(e.cm,e.update)}function Zn(e){var t=e.cm,r=t.display;e.updatedDisplay&&Tn(t),e.barMeasure=Rn(t),r.maxLineChanged&&!t.options.lineWrapping&&(e.adjustWidthTo=Ar(t,r.maxLine,r.maxLine.text.length).left+3,t.display.sizerWidth=e.adjustWidthTo,e.barMeasure.scrollWidth=Math.max(r.scroller.clientWidth,r.sizer.offsetLeft+e.adjustWidthTo+Lr(t)+t.display.barWidth),e.maxScrollLeft=Math.max(0,r.sizer.offsetLeft+e.adjustWidthTo-Tr(t))),(e.updatedDisplay||e.selectionChanged)&&(e.preparedSelection=r.input.prepareSelection())}function Jn(e){var t=e.cm;null!=e.adjustWidthTo&&(t.display.sizer.style.minWidth=e.adjustWidthTo+"px",e.maxScrollLeft(window.innerHeight||document.documentElement.clientHeight)&&(i=!1),null!=i&&!g){var o=A("div","​",null,"position: absolute;\n top: "+(t.top-r.viewOffset-Sr(e.display))+"px;\n height: "+(t.bottom-t.top+Lr(e)+r.barHeight)+"px;\n left: "+t.left+"px; width: "+Math.max(2,t.right-t.left)+"px;");e.display.lineSpace.appendChild(o),o.scrollIntoView(i),e.display.lineSpace.removeChild(o)}}}(t,function(e,t,r,n){var i;null==n&&(n=0),e.options.lineWrapping||t!=r||(r="before"==(t=t.ch?tt(t.line,"before"==t.sticky?t.ch-1:t.ch,"after"):t).sticky?tt(t.line,t.ch+1,"before"):t);for(var o=0;o<5;o++){var l=!1,s=_r(e,t),a=r&&r!=t?_r(e,r):s,u=An(e,i={left:Math.min(s.left,a.left),top:Math.min(s.top,a.top)-n,right:Math.max(s.left,a.left),bottom:Math.max(s.bottom,a.bottom)+n}),c=e.doc.scrollTop,f=e.doc.scrollLeft;if(null!=u.scrollTop&&(Pn(e,u.scrollTop),Math.abs(e.doc.scrollTop-c)>1&&(l=!0)),null!=u.scrollLeft&&(In(e,u.scrollLeft),Math.abs(e.doc.scrollLeft-f)>1&&(l=!0)),!l)break}return i}(t,at(n,e.scrollToPos.from),at(n,e.scrollToPos.to),e.scrollToPos.margin));var i=e.maybeHiddenMarkers,o=e.maybeUnhiddenMarkers;if(i)for(var l=0;l=e.display.viewTo)){var r=+new Date+e.options.workTime,n=pt(e,t.highlightFrontier),i=[];t.iter(n.line,Math.min(t.first+t.size,e.display.viewTo+500),(function(o){if(n.line>=e.display.viewFrom){var l=o.styles,s=o.text.length>e.options.maxHighlightLength?Ve(t.mode,n.state):null,a=dt(e,o,n,!0);s&&(n.state=s),o.styles=a.styles;var u=o.styleClasses,c=a.classes;c?o.styleClasses=c:u&&(o.styleClasses=null);for(var f=!l||l.length!=o.styles.length||u!=c&&(!u||!c||u.bgClass!=c.bgClass||u.textClass!=c.textClass),d=0;!f&&dr)return ii(e,e.options.workDelay),!0})),t.highlightFrontier=n.line,t.modeFrontier=Math.max(t.modeFrontier,n.line),i.length&&ei(e,(function(){for(var t=0;t=r.viewFrom&&t.visible.to<=r.viewTo&&(null==r.updateLineNumbers||r.updateLineNumbers>=r.viewTo)&&r.renderedView==r.view&&0==mn(e))return!1;hi(e)&&(pn(e),t.dims=ln(e));var i=n.first+n.size,o=Math.max(t.visible.from-e.options.viewportMargin,n.first),l=Math.min(i,t.visible.to+e.options.viewportMargin);r.viewFroml&&r.viewTo-l<20&&(l=Math.min(i,r.viewTo)),St&&(o=Bt(e.doc,o),l=Gt(e.doc,l));var s=o!=r.viewFrom||l!=r.viewTo||r.lastWrapHeight!=t.wrapperHeight||r.lastWrapWidth!=t.wrapperWidth;!function(e,t,r){var n=e.display;0==n.view.length||t>=n.viewTo||r<=n.viewFrom?(n.view=or(e,t,r),n.viewFrom=t):(n.viewFrom>t?n.view=or(e,t,n.viewFrom).concat(n.view):n.viewFromr&&(n.view=n.view.slice(0,fn(e,r)))),n.viewTo=r}(e,o,l),r.viewOffset=jt(_e(e.doc,r.viewFrom)),e.display.mover.style.top=r.viewOffset+"px";var a=mn(e);if(!s&&0==a&&!t.force&&r.renderedView==r.view&&(null==r.updateLineNumbers||r.updateLineNumbers>=r.viewTo))return!1;var c=function(e){if(e.hasFocus())return null;var t=H();if(!t||!W(e.display.lineDiv,t))return null;var r={activeElt:t};if(window.getSelection){var n=window.getSelection();n.anchorNode&&n.extend&&W(e.display.lineDiv,n.anchorNode)&&(r.anchorNode=n.anchorNode,r.anchorOffset=n.anchorOffset,r.focusNode=n.focusNode,r.focusOffset=n.focusOffset)}return r}(e);return a>4&&(r.lineDiv.style.display="none"),function(e,t,r){var n=e.display,i=e.options.lineNumbers,o=n.lineDiv,l=o.firstChild;function s(t){var r=t.nextSibling;return u&&b&&e.display.currentWheelTarget==t?t.style.display="none":t.parentNode.removeChild(t),r}for(var a=n.view,c=n.viewFrom,f=0;f-1&&(h=!1),cr(e,d,c,r)),h&&(N(d.lineNumber),d.lineNumber.appendChild(document.createTextNode(et(e.options,c)))),l=d.node.nextSibling}else{var p=vr(e,d,c,r);o.insertBefore(p,l)}c+=d.size}for(;l;)l=s(l)}(e,r.updateLineNumbers,t.dims),a>4&&(r.lineDiv.style.display=""),r.renderedView=r.view,function(e){if(e&&e.activeElt&&e.activeElt!=H()&&(e.activeElt.focus(),e.anchorNode&&W(document.body,e.anchorNode)&&W(document.body,e.focusNode))){var t=window.getSelection(),r=document.createRange();r.setEnd(e.anchorNode,e.anchorOffset),r.collapse(!1),t.removeAllRanges(),t.addRange(r),t.extend(e.focusNode,e.focusOffset)}}(c),N(r.cursorDiv),N(r.selectionDiv),r.gutters.style.height=r.sizer.style.minHeight=0,s&&(r.lastWrapHeight=t.wrapperHeight,r.lastWrapWidth=t.wrapperWidth,ii(e,400)),r.updateLineNumbers=null,!0}function ai(e,t){for(var r=t.viewport,n=!0;(n&&e.options.lineWrapping&&t.oldDisplayWidth!=Tr(e)||(r&&null!=r.top&&(r={top:Math.min(e.doc.height+kr(e.display)-Nr(e),r.top)}),t.visible=On(e.display,e.doc,r),!(t.visible.from>=e.display.viewFrom&&t.visible.to<=e.display.viewTo)))&&si(e,t);n=!1){Tn(e);var i=Rn(e);vn(e),Un(e,i),fi(e,i),t.force=!1}t.signal(e,"update",e),e.display.viewFrom==e.display.reportedViewFrom&&e.display.viewTo==e.display.reportedViewTo||(t.signal(e,"viewportChange",e,e.display.viewFrom,e.display.viewTo),e.display.reportedViewFrom=e.display.viewFrom,e.display.reportedViewTo=e.display.viewTo)}function ui(e,t){var r=new li(e,t);if(si(e,r)){Tn(e),ai(e,r);var n=Rn(e);vn(e),Un(e,n),fi(e,n),r.finish()}}function ci(e){var t=e.gutters.offsetWidth;e.sizer.style.marginLeft=t+"px"}function fi(e,t){e.display.sizer.style.minHeight=t.docHeight+"px",e.display.heightForcer.style.top=t.docHeight+"px",e.display.gutters.style.height=t.docHeight+e.display.barHeight+Lr(e)+"px"}function di(e){var t=e.display,r=t.view;if(t.alignWidgets||t.gutters.firstChild&&e.options.fixedGutter){for(var n=sn(t)-t.scroller.scrollLeft+e.doc.scrollLeft,i=t.gutters.offsetWidth,o=n+"px",l=0;ls.clientWidth,c=s.scrollHeight>s.clientHeight;if(i&&a||o&&c){if(o&&b&&u)e:for(var f=t.target,h=l.view;f!=s;f=f.parentNode)for(var p=0;p=0&&rt(e,n.to())<=0)return r}return-1};var ki=function(e,t){this.anchor=e,this.head=t};function Mi(e,t,r){var n=e&&e.options.selectionsMayTouch,i=t[r];t.sort((function(e,t){return rt(e.from(),t.from())})),r=G(t,i);for(var o=1;o0:a>=0){var u=lt(s.from(),l.from()),c=ot(s.to(),l.to()),f=s.empty()?l.from()==l.head:s.from()==s.head;o<=r&&--r,t.splice(--o,2,new ki(f?c:u,f?u:c))}}return new Si(t,r)}function Li(e,t){return new Si([new ki(e,t||e)],0)}function Ti(e){return e.text?tt(e.from.line+e.text.length-1,q(e.text).length+(1==e.text.length?e.from.ch:0)):e.to}function Ni(e,t){if(rt(e,t.from)<0)return e;if(rt(e,t.to)<=0)return Ti(t);var r=e.line+t.text.length-(t.to.line-t.from.line)-1,n=e.ch;return e.line==t.to.line&&(n+=Ti(t).ch-t.to.ch),tt(r,n)}function Oi(e,t){for(var r=[],n=0;n1&&e.remove(s.line+1,p-1),e.insert(s.line+1,v)}ar(e,"change",e,t)}function Fi(e,t,r){!function e(n,i,o){if(n.linked)for(var l=0;ls-(e.cm?e.cm.options.historyEventDelay:500)||"*"==t.origin.charAt(0)))&&(o=function(e,t){return t?(Bi(e.done),q(e.done)):e.done.length&&!q(e.done).ranges?q(e.done):e.done.length>1&&!e.done[e.done.length-2].ranges?(e.done.pop(),q(e.done)):void 0}(i,i.lastOp==n)))l=q(o.changes),0==rt(t.from,t.to)&&0==rt(t.from,l.to)?l.to=Ti(t):o.changes.push(Ri(e,t));else{var a=q(i.done);for(a&&a.ranges||Vi(e.sel,i.done),o={changes:[Ri(e,t)],generation:i.generation},i.done.push(o);i.done.length>i.undoDepth;)i.done.shift(),i.done[0].ranges||i.done.shift()}i.done.push(r),i.generation=++i.maxGeneration,i.lastModTime=i.lastSelTime=s,i.lastOp=i.lastSelOp=n,i.lastOrigin=i.lastSelOrigin=t.origin,l||ge(e,"historyAdded")}function Ui(e,t,r,n){var i=e.history,o=n&&n.origin;r==i.lastSelOp||o&&i.lastSelOrigin==o&&(i.lastModTime==i.lastSelTime&&i.lastOrigin==o||function(e,t,r,n){var i=t.charAt(0);return"*"==i||"+"==i&&r.ranges.length==n.ranges.length&&r.somethingSelected()==n.somethingSelected()&&new Date-e.history.lastSelTime<=(e.cm?e.cm.options.historyEventDelay:500)}(e,o,q(i.done),t))?i.done[i.done.length-1]=t:Vi(t,i.done),i.lastSelTime=+new Date,i.lastSelOrigin=o,i.lastSelOp=r,n&&!1!==n.clearRedo&&Bi(i.undone)}function Vi(e,t){var r=q(t);r&&r.ranges&&r.equals(e)||t.push(e)}function ji(e,t,r,n){var i=t["spans_"+e.id],o=0;e.iter(Math.max(e.first,r),Math.min(e.first+e.size,n),(function(r){r.markedSpans&&((i||(i=t["spans_"+e.id]={}))[o]=r.markedSpans),++o}))}function Ki(e){if(!e)return null;for(var t,r=0;r-1&&(q(s)[f]=u[f],delete u[f])}}}return n}function Yi(e,t,r,n){if(n){var i=e.anchor;if(r){var o=rt(t,i)<0;o!=rt(r,i)<0?(i=t,t=r):o!=rt(t,r)<0&&(t=r)}return new ki(i,t)}return new ki(r||t,t)}function qi(e,t,r,n,i){null==i&&(i=e.cm&&(e.cm.display.shift||e.extend)),eo(e,new Si([Yi(e.sel.primary(),t,r,i)],0),n)}function $i(e,t,r){for(var n=[],i=e.cm&&(e.cm.display.shift||e.extend),o=0;o=t.ch:s.to>t.ch))){if(i&&(ge(a,"beforeCursorEnter"),a.explicitlyCleared)){if(o.markedSpans){--l;continue}break}if(!a.atomic)continue;if(r){var f=a.find(n<0?1:-1),d=void 0;if((n<0?c:u)&&(f=so(e,f,-n,f&&f.line==t.line?o:null)),f&&f.line==t.line&&(d=rt(f,r))&&(n<0?d<0:d>0))return oo(e,f,t,n,i)}var h=a.find(n<0?-1:1);return(n<0?u:c)&&(h=so(e,h,n,h.line==t.line?o:null)),h?oo(e,h,t,n,i):null}}return t}function lo(e,t,r,n,i){var o=n||1,l=oo(e,t,r,o,i)||!i&&oo(e,t,r,o,!0)||oo(e,t,r,-o,i)||!i&&oo(e,t,r,-o,!0);return l||(e.cantEdit=!0,tt(e.first,0))}function so(e,t,r,n){return r<0&&0==t.ch?t.line>e.first?at(e,tt(t.line-1)):null:r>0&&t.ch==(n||_e(e,t.line)).text.length?t.line0)){var c=[a,1],f=rt(u.from,s.from),d=rt(u.to,s.to);(f<0||!l.inclusiveLeft&&!f)&&c.push({from:u.from,to:s.from}),(d>0||!l.inclusiveRight&&!d)&&c.push({from:s.to,to:u.to}),i.splice.apply(i,c),a+=c.length-3}}return i}(e,t.from,t.to);if(n)for(var i=n.length-1;i>=0;--i)fo(e,{from:n[i].from,to:n[i].to,text:i?[""]:t.text,origin:t.origin});else fo(e,t)}}function fo(e,t){if(1!=t.text.length||""!=t.text[0]||0!=rt(t.from,t.to)){var r=Oi(e,t);Gi(e,t,r,e.cm?e.cm.curOp.id:NaN),go(e,t,r,Tt(e,t));var n=[];Fi(e,(function(e,r){r||-1!=G(n,e.history)||(bo(e.history,t),n.push(e.history)),go(e,t,null,Tt(e,t))}))}}function ho(e,t,r){var n=e.cm&&e.cm.state.suppressEdits;if(!n||r){for(var i,o=e.history,l=e.sel,s="undo"==t?o.done:o.undone,a="undo"==t?o.undone:o.done,u=0;u=0;--h){var p=d(h);if(p)return p.v}}}}function po(e,t){if(0!=t&&(e.first+=t,e.sel=new Si($(e.sel.ranges,(function(e){return new ki(tt(e.anchor.line+t,e.anchor.ch),tt(e.head.line+t,e.head.ch))})),e.sel.primIndex),e.cm)){dn(e.cm,e.first,e.first-t,t);for(var r=e.cm.display,n=r.viewFrom;ne.lastLine())){if(t.from.lineo&&(t={from:t.from,to:tt(o,_e(e,o).text.length),text:[t.text[0]],origin:t.origin}),t.removed=Ye(e,t.from,t.to),r||(r=Oi(e,t)),e.cm?function(e,t,r){var n=e.doc,i=e.display,o=t.from,l=t.to,s=!1,a=o.line;e.options.lineWrapping||(a=Ze(Rt(_e(n,o.line))),n.iter(a,l.line+1,(function(e){if(e==i.maxLine)return s=!0,!0}))),n.sel.contains(t.from,t.to)>-1&&ve(e),zi(n,t,r,an(e)),e.options.lineWrapping||(n.iter(a,o.line+t.text.length,(function(e){var t=Kt(e);t>i.maxLineLength&&(i.maxLine=e,i.maxLineLength=t,i.maxLineChanged=!0,s=!1)})),s&&(e.curOp.updateMaxLine=!0)),function(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontierr;n--){var i=_e(e,n).stateAfter;if(i&&(!(i instanceof ct)||n+i.lookAhead1||!(this.children[0]instanceof xo))){var s=[];this.collapse(s),this.children=[new xo(s)],this.children[0].parent=this}},collapse:function(e){for(var t=0;t50){for(var l=i.lines.length%25+25,s=l;s10);e.parent.maybeSpill()}},iterN:function(e,t,r){for(var n=0;n0||0==l&&!1!==o.clearWhenEmpty)return o;if(o.replacedWith&&(o.collapsed=!0,o.widgetNode=D("span",[o.replacedWith],"CodeMirror-widget"),n.handleMouseEvents||o.widgetNode.setAttribute("cm-ignore-events","true"),n.insertLeft&&(o.widgetNode.insertLeft=!0)),o.collapsed){if(It(e,t.line,t,r,o)||t.line!=r.line&&It(e,r.line,t,r,o))throw new Error("Inserting collapsed marker partially overlapping an existing one");St=!0}o.addToHistory&&Gi(e,{from:t,to:r,origin:"markText"},e.sel,NaN);var s,a=t.line,u=e.cm;if(e.iter(a,r.line+1,(function(e){u&&o.collapsed&&!u.options.lineWrapping&&Rt(e)==u.display.maxLine&&(s=!0),o.collapsed&&a!=t.line&&$e(e,0),function(e,t){e.markedSpans=e.markedSpans?e.markedSpans.concat([t]):[t],t.marker.attachLine(e)}(e,new kt(o,a==t.line?t.ch:null,a==r.line?r.ch:null)),++a})),o.collapsed&&e.iter(t.line,r.line+1,(function(t){Ut(e,t)&&$e(t,0)})),o.clearOnEnter&&de(o,"beforeCursorEnter",(function(){return o.clear()})),o.readOnly&&(Ct=!0,(e.history.done.length||e.history.undone.length)&&e.clearHistory()),o.collapsed&&(o.id=++Mo,o.atomic=!0),u){if(s&&(u.curOp.updateMaxLine=!0),o.collapsed)dn(u,t.line,r.line+1);else if(o.className||o.startStyle||o.endStyle||o.css||o.attributes||o.title)for(var c=t.line;c<=r.line;c++)hn(u,c,"text");o.atomic&&no(u.doc),ar(u,"markerAdded",u,o)}return o}Lo.prototype.clear=function(){if(!this.explicitlyCleared){var e=this.doc.cm,t=e&&!e.curOp;if(t&&_n(e),ye(this,"clear")){var r=this.find();r&&ar(this,"clear",r.from,r.to)}for(var n=null,i=null,o=0;oe.display.maxLineLength&&(e.display.maxLine=u,e.display.maxLineLength=c,e.display.maxLineChanged=!0)}null!=n&&e&&this.collapsed&&dn(e,n,i+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,e&&no(e.doc)),e&&ar(e,"markerCleared",e,this,n,i),t&&Yn(e),this.parent&&this.parent.clear()}},Lo.prototype.find=function(e,t){var r,n;null==e&&"bookmark"==this.type&&(e=1);for(var i=0;i=0;a--)co(this,n[a]);s?Qi(this,s):this.cm&&Wn(this.cm)})),undo:ni((function(){ho(this,"undo")})),redo:ni((function(){ho(this,"redo")})),undoSelection:ni((function(){ho(this,"undo",!0)})),redoSelection:ni((function(){ho(this,"redo",!0)})),setExtending:function(e){this.extend=e},getExtending:function(){return this.extend},historySize:function(){for(var e=this.history,t=0,r=0,n=0;n=e.ch)&&t.push(i.marker.parent||i.marker)}return t},findMarks:function(e,t,r){e=at(this,e),t=at(this,t);var n=[],i=e.line;return this.iter(e.line,t.line+1,(function(o){var l=o.markedSpans;if(l)for(var s=0;s=a.to||null==a.from&&i!=e.line||null!=a.from&&i==t.line&&a.from>=t.ch||r&&!r(a.marker)||n.push(a.marker.parent||a.marker)}++i})),n},getAllMarks:function(){var e=[];return this.iter((function(t){var r=t.markedSpans;if(r)for(var n=0;ne)return t=e,!0;e-=o,++r})),at(this,tt(r,t))},indexFromPos:function(e){var t=(e=at(this,e)).ch;if(e.linet&&(t=e.from),null!=e.to&&e.to-1)return t.state.draggingText(e),void setTimeout((function(){return t.display.input.focus()}),20);try{var c=e.dataTransfer.getData("Text");if(c){var f;if(t.state.draggingText&&!t.state.draggingText.copy&&(f=t.listSelections()),to(t.doc,Li(r,r)),f)for(var d=0;d=0;t--)mo(e.doc,"",n[t].from,n[t].to,"+delete");Wn(e)}))}function Qo(e,t,r){var n=oe(e.text,t+r,r);return n<0||n>e.text.length?null:n}function el(e,t,r){var n=Qo(e,t.ch,r);return null==n?null:new tt(t.line,n,r<0?"after":"before")}function tl(e,t,r,n,i){if(e){var o=ce(r,t.doc.direction);if(o){var l,s=i<0?q(o):o[0],a=i<0==(1==s.level)?"after":"before";if(s.level>0||"rtl"==t.doc.direction){var u=Wr(t,r);l=i<0?r.text.length-1:0;var c=Hr(t,u,l).top;l=le((function(e){return Hr(t,u,e).top==c}),i<0==(1==s.level)?s.from:s.to-1,l),"before"==a&&(l=Qo(r,l,1))}else l=i<0?s.to:s.from;return new tt(n,l,a)}}return new tt(n,i<0?r.text.length:0,i<0?"before":"after")}jo.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},jo.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},jo.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Alt-F":"goWordRight","Alt-B":"goWordLeft","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-D":"delWordAfter","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},jo.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},jo.default=b?jo.macDefault:jo.pcDefault;var rl={selectAll:ao,singleSelection:function(e){return e.setSelection(e.getCursor("anchor"),e.getCursor("head"),V)},killLine:function(e){return Jo(e,(function(t){if(t.empty()){var r=_e(e.doc,t.head.line).text.length;return t.head.ch==r&&t.head.line0)i=new tt(i.line,i.ch+1),e.replaceRange(o.charAt(i.ch-1)+o.charAt(i.ch-2),tt(i.line,i.ch-2),i,"+transpose");else if(i.line>e.doc.first){var l=_e(e.doc,i.line-1).text;l&&(i=new tt(i.line,1),e.replaceRange(o.charAt(0)+e.doc.lineSeparator()+l.charAt(l.length-1),tt(i.line-1,l.length-1),i,"+transpose"))}r.push(new ki(i,i))}e.setSelections(r)}))},newlineAndIndent:function(e){return ei(e,(function(){for(var t=e.listSelections(),r=t.length-1;r>=0;r--)e.replaceRange(e.doc.lineSeparator(),t[r].anchor,t[r].head,"+input");t=e.listSelections();for(var n=0;n-1&&(rt((i=l.ranges[i]).from(),t)<0||t.xRel>0)&&(rt(i.to(),t)>0||t.xRel<0)?function(e,t,r,n){var i=e.display,o=!1,l=ti(e,(function(t){u&&(i.scroller.draggable=!1),e.state.draggingText=!1,pe(i.wrapper.ownerDocument,"mouseup",l),pe(i.wrapper.ownerDocument,"mousemove",c),pe(i.scroller,"dragstart",f),pe(i.scroller,"drop",l),o||(we(t),n.addNew||qi(e.doc,r,null,null,n.extend),u||s&&9==a?setTimeout((function(){i.wrapper.ownerDocument.body.focus(),i.input.focus()}),20):i.input.focus())})),c=function(e){o=o||Math.abs(t.clientX-e.clientX)+Math.abs(t.clientY-e.clientY)>=10},f=function(){return o=!0};u&&(i.scroller.draggable=!0),e.state.draggingText=l,l.copy=!n.moveOnDrag,i.scroller.dragDrop&&i.scroller.dragDrop(),de(i.wrapper.ownerDocument,"mouseup",l),de(i.wrapper.ownerDocument,"mousemove",c),de(i.scroller,"dragstart",f),de(i.scroller,"drop",l),kn(e),setTimeout((function(){return i.input.focus()}),20)}(e,n,t,o):function(e,t,r,n){var i=e.display,o=e.doc;we(t);var l,s,a=o.sel,u=a.ranges;if(n.addNew&&!n.extend?(s=o.sel.contains(r),l=s>-1?u[s]:new ki(r,r)):(l=o.sel.primary(),s=o.sel.primIndex),"rectangle"==n.unit)n.addNew||(l=new ki(r,r)),r=cn(e,t,!0,!0),s=-1;else{var c=yl(e,r,n.unit);l=n.extend?Yi(l,c.anchor,c.head,n.extend):c}n.addNew?-1==s?(s=u.length,eo(o,Mi(e,u.concat([l]),s),{scroll:!1,origin:"*mouse"})):u.length>1&&u[s].empty()&&"char"==n.unit&&!n.extend?(eo(o,Mi(e,u.slice(0,s).concat(u.slice(s+1)),0),{scroll:!1,origin:"*mouse"}),a=o.sel):Zi(o,s,l,j):(s=0,eo(o,new Si([l],0),j),a=o.sel);var f=r;function d(t){if(0!=rt(f,t))if(f=t,"rectangle"==n.unit){for(var i=[],u=e.options.tabSize,c=R(_e(o,r.line).text,r.ch,u),d=R(_e(o,t.line).text,t.ch,u),h=Math.min(c,d),p=Math.max(c,d),g=Math.min(r.line,t.line),m=Math.min(e.lastLine(),Math.max(r.line,t.line));g<=m;g++){var v=_e(o,g).text,y=X(v,h,u);h==p?i.push(new ki(tt(g,y),tt(g,y))):v.length>y&&i.push(new ki(tt(g,y),tt(g,X(v,p,u))))}i.length||i.push(new ki(r,r)),eo(o,Mi(e,a.ranges.slice(0,s).concat(i),s),{origin:"*mouse",scroll:!1}),e.scrollIntoView(t)}else{var b,w=l,x=yl(e,t,n.unit),C=w.anchor;rt(x.anchor,C)>0?(b=x.head,C=lt(w.from(),x.anchor)):(b=x.anchor,C=ot(w.to(),x.head));var S=a.ranges.slice(0);S[s]=function(e,t){var r=t.anchor,n=t.head,i=_e(e.doc,r.line);if(0==rt(r,n)&&r.sticky==n.sticky)return t;var o=ce(i);if(!o)return t;var l=ae(o,r.ch,r.sticky),s=o[l];if(s.from!=r.ch&&s.to!=r.ch)return t;var a,u=l+(s.from==r.ch==(1!=s.level)?0:1);if(0==u||u==o.length)return t;if(n.line!=r.line)a=(n.line-r.line)*("ltr"==e.doc.direction?1:-1)>0;else{var c=ae(o,n.ch,n.sticky),f=c-l||(n.ch-r.ch)*(1==s.level?-1:1);a=c==u-1||c==u?f<0:f>0}var d=o[u+(a?-1:0)],h=a==(1==d.level),p=h?d.from:d.to,g=h?"after":"before";return r.ch==p&&r.sticky==g?t:new ki(new tt(r.line,p,g),n)}(e,new ki(at(o,C),b)),eo(o,Mi(e,S,s),j)}}var h=i.wrapper.getBoundingClientRect(),p=0;function g(t){e.state.selectingText=!1,p=1/0,t&&(we(t),i.input.focus()),pe(i.wrapper.ownerDocument,"mousemove",m),pe(i.wrapper.ownerDocument,"mouseup",v),o.history.lastSelOrigin=null}var m=ti(e,(function(t){0!==t.buttons&&Me(t)?function t(r){var l=++p,s=cn(e,r,!0,"rectangle"==n.unit);if(s)if(0!=rt(s,f)){e.curOp.focus=H(),d(s);var a=On(i,o);(s.line>=a.to||s.lineh.bottom?20:0;u&&setTimeout(ti(e,(function(){p==l&&(i.scroller.scrollTop+=u,t(r))})),50)}}(t):g(t)})),v=ti(e,g);e.state.selectingText=v,de(i.wrapper.ownerDocument,"mousemove",m),de(i.wrapper.ownerDocument,"mouseup",v)}(e,n,t,o)}(t,n,o,e):ke(e)==r.scroller&&we(e):2==i?(n&&qi(t.doc,n),setTimeout((function(){return r.input.focus()}),20)):3==i&&(k?t.display.input.onContextMenu(e):kn(t)))}}function yl(e,t,r){if("char"==r)return new ki(t,t);if("word"==r)return e.findWordAt(t);if("line"==r)return new ki(tt(t.line,0),at(e.doc,tt(t.line+1,0)));var n=r(e,t);return new ki(n.from,n.to)}function bl(e,t,r,n){var i,o;if(t.touches)i=t.touches[0].clientX,o=t.touches[0].clientY;else try{i=t.clientX,o=t.clientY}catch(t){return!1}if(i>=Math.floor(e.display.gutters.getBoundingClientRect().right))return!1;n&&we(t);var l=e.display,s=l.lineDiv.getBoundingClientRect();if(o>s.bottom||!ye(e,r))return Ce(t);o-=s.top-l.viewOffset;for(var a=0;a=i)return ge(e,r,e,Je(e.doc,o),e.display.gutterSpecs[a].className,t),Ce(t)}}function wl(e,t){return bl(e,t,"gutterClick",!0)}function xl(e,t){Cr(e.display,t)||function(e,t){return!!ye(e,"gutterContextMenu")&&bl(e,t,"gutterContextMenu",!1)}(e,t)||me(e,t,"contextmenu")||k||e.display.input.onContextMenu(t)}function Cl(e){e.display.wrapper.className=e.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+e.options.theme.replace(/(^|\s)\s*/g," cm-s-"),Br(e)}ml.prototype.compare=function(e,t,r){return this.time+400>e&&0==rt(t,this.pos)&&r==this.button};var Sl={toString:function(){return"CodeMirror.Init"}},kl={},Ml={};function Ll(e,t,r){if(!t!=!(r&&r!=Sl)){var n=e.display.dragFunctions,i=t?de:pe;i(e.display.scroller,"dragstart",n.start),i(e.display.scroller,"dragenter",n.enter),i(e.display.scroller,"dragover",n.over),i(e.display.scroller,"dragleave",n.leave),i(e.display.scroller,"drop",n.drop)}}function Tl(e){e.options.lineWrapping?(z(e.display.wrapper,"CodeMirror-wrap"),e.display.sizer.style.minWidth="",e.display.sizerWidth=null):(T(e.display.wrapper,"CodeMirror-wrap"),Xt(e)),un(e),dn(e),Br(e),setTimeout((function(){return Un(e)}),100)}function Nl(e,t){var r=this;if(!(this instanceof Nl))return new Nl(e,t);this.options=t=t?I(t):{},I(kl,t,!1);var n=t.value;"string"==typeof n?n=new Wo(n,t.mode,null,t.lineSeparator,t.direction):t.mode&&(n.modeOption=t.mode),this.doc=n;var i=new Nl.inputStyles[t.inputStyle](this),o=this.display=new vi(e,n,i,t);for(var l in o.wrapper.CodeMirror=this,Cl(this),t.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),Kn(this),this.state={keyMaps:[],overlays:[],modeGen:0,overwrite:!1,delayingBlurEvent:!1,focused:!1,suppressEdits:!1,pasteIncoming:-1,cutIncoming:-1,selectingText:!1,draggingText:!1,highlight:new B,keySeq:null,specialChars:null},t.autofocus&&!y&&o.input.focus(),s&&a<11&&setTimeout((function(){return r.display.input.reset(!0)}),20),function(e){var t=e.display;de(t.scroller,"mousedown",ti(e,vl)),de(t.scroller,"dblclick",s&&a<11?ti(e,(function(t){if(!me(e,t)){var r=cn(e,t);if(r&&!wl(e,t)&&!Cr(e.display,t)){we(t);var n=e.findWordAt(r);qi(e.doc,n.anchor,n.head)}}})):function(t){return me(e,t)||we(t)}),de(t.scroller,"contextmenu",(function(t){return xl(e,t)}));var r,n={end:0};function i(){t.activeTouch&&(r=setTimeout((function(){return t.activeTouch=null}),1e3),(n=t.activeTouch).end=+new Date)}function o(e,t){if(null==t.left)return!0;var r=t.left-e.left,n=t.top-e.top;return r*r+n*n>400}de(t.scroller,"touchstart",(function(i){if(!me(e,i)&&!function(e){if(1!=e.touches.length)return!1;var t=e.touches[0];return t.radiusX<=1&&t.radiusY<=1}(i)&&!wl(e,i)){t.input.ensurePolled(),clearTimeout(r);var o=+new Date;t.activeTouch={start:o,moved:!1,prev:o-n.end<=300?n:null},1==i.touches.length&&(t.activeTouch.left=i.touches[0].pageX,t.activeTouch.top=i.touches[0].pageY)}})),de(t.scroller,"touchmove",(function(){t.activeTouch&&(t.activeTouch.moved=!0)})),de(t.scroller,"touchend",(function(r){var n=t.activeTouch;if(n&&!Cr(t,r)&&null!=n.left&&!n.moved&&new Date-n.start<300){var l,s=e.coordsChar(t.activeTouch,"page");l=!n.prev||o(n,n.prev)?new ki(s,s):!n.prev.prev||o(n,n.prev.prev)?e.findWordAt(s):new ki(tt(s.line,0),at(e.doc,tt(s.line+1,0))),e.setSelection(l.anchor,l.head),e.focus(),we(r)}i()})),de(t.scroller,"touchcancel",i),de(t.scroller,"scroll",(function(){t.scroller.clientHeight&&(Pn(e,t.scroller.scrollTop),In(e,t.scroller.scrollLeft,!0),ge(e,"scroll",e))})),de(t.scroller,"mousewheel",(function(t){return Ci(e,t)})),de(t.scroller,"DOMMouseScroll",(function(t){return Ci(e,t)})),de(t.wrapper,"scroll",(function(){return t.wrapper.scrollTop=t.wrapper.scrollLeft=0})),t.dragFunctions={enter:function(t){me(e,t)||Se(t)},over:function(t){me(e,t)||(function(e,t){var r=cn(e,t);if(r){var n=document.createDocumentFragment();bn(e,r,n),e.display.dragCursor||(e.display.dragCursor=A("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),e.display.lineSpace.insertBefore(e.display.dragCursor,e.display.cursorDiv)),O(e.display.dragCursor,n)}}(e,t),Se(t))},start:function(t){return function(e,t){if(s&&(!e.state.draggingText||+new Date-Ho<100))Se(t);else if(!me(e,t)&&!Cr(e.display,t)&&(t.dataTransfer.setData("Text",e.getSelection()),t.dataTransfer.effectAllowed="copyMove",t.dataTransfer.setDragImage&&!h)){var r=A("img",null,null,"position: fixed; left: 0; top: 0;");r.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",d&&(r.width=r.height=1,e.display.wrapper.appendChild(r),r._top=r.offsetTop),t.dataTransfer.setDragImage(r,0,0),d&&r.parentNode.removeChild(r)}}(e,t)},drop:ti(e,zo),leave:function(t){me(e,t)||Fo(e)}};var l=t.input.getField();de(l,"keyup",(function(t){return dl.call(e,t)})),de(l,"keydown",ti(e,fl)),de(l,"keypress",ti(e,hl)),de(l,"focus",(function(t){return Mn(e,t)})),de(l,"blur",(function(t){return Ln(e,t)}))}(this),Io(),_n(this),this.curOp.forceUpdate=!0,Pi(this,n),t.autofocus&&!y||this.hasFocus()?setTimeout(E(Mn,this),20):Ln(this),Ml)Ml.hasOwnProperty(l)&&Ml[l](r,t[l],Sl);hi(this),t.finishInit&&t.finishInit(this);for(var c=0;c150)){if(!n)return;r="prev"}}else u=0,r="not";"prev"==r?u=t>o.first?R(_e(o,t-1).text,null,l):0:"add"==r?u=a+e.options.indentUnit:"subtract"==r?u=a-e.options.indentUnit:"number"==typeof r&&(u=a+r),u=Math.max(0,u);var f="",d=0;if(e.options.indentWithTabs)for(var h=Math.floor(u/l);h;--h)d+=l,f+="\t";if(dl,a=We(t),u=null;if(s&&n.ranges.length>1)if(Dl&&Dl.text.join("\n")==t){if(n.ranges.length%Dl.text.length==0){u=[];for(var c=0;c=0;d--){var h=n.ranges[d],p=h.from(),g=h.to();h.empty()&&(r&&r>0?p=tt(p.line,p.ch-r):e.state.overwrite&&!s?g=tt(g.line,Math.min(_e(o,g.line).text.length,g.ch+q(a).length)):s&&Dl&&Dl.lineWise&&Dl.text.join("\n")==t&&(p=g=tt(p.line,0)));var m={from:p,to:g,text:u?u[d%u.length]:a,origin:i||(s?"paste":e.state.cutIncoming>l?"cut":"+input")};co(e.doc,m),ar(e,"inputRead",e,m)}t&&!s&&Fl(e,t),Wn(e),e.curOp.updateInput<2&&(e.curOp.updateInput=f),e.curOp.typing=!0,e.state.pasteIncoming=e.state.cutIncoming=-1}function zl(e,t){var r=e.clipboardData&&e.clipboardData.getData("Text");if(r)return e.preventDefault(),t.isReadOnly()||t.options.disableInput||ei(t,(function(){return Hl(t,r,0,null,"paste")})),!0}function Fl(e,t){if(e.options.electricChars&&e.options.smartIndent)for(var r=e.doc.sel,n=r.ranges.length-1;n>=0;n--){var i=r.ranges[n];if(!(i.head.ch>100||n&&r.ranges[n-1].head.line==i.head.line)){var o=e.getModeAt(i.head),l=!1;if(o.electricChars){for(var s=0;s-1){l=Al(e,i.head.line,"smart");break}}else o.electricInput&&o.electricInput.test(_e(e.doc,i.head.line).text.slice(0,i.head.ch))&&(l=Al(e,i.head.line,"smart"));l&&ar(e,"electricInput",e,i.head.line)}}}function Pl(e){for(var t=[],r=[],n=0;n=t.text.length?(r.ch=t.text.length,r.sticky="before"):r.ch<=0&&(r.ch=0,r.sticky="after");var o=ae(i,r.ch,r.sticky),l=i[o];if("ltr"==e.doc.direction&&l.level%2==0&&(n>0?l.to>r.ch:l.from=l.from&&d>=c.begin)){var h=f?"before":"after";return new tt(r.line,d,h)}}var p=function(e,t,n){for(var o=function(e,t){return t?new tt(r.line,a(e,1),"before"):new tt(r.line,e,"after")};e>=0&&e0==(1!=l.level),u=s?n.begin:a(n.end,-1);if(l.from<=u&&u0?c.end:a(c.begin,-1);return null==m||n>0&&m==t.text.length||!(g=p(n>0?0:i.length-1,n,u(m)))?null:g}(e.cm,s,t,r):el(s,t,r))){if(n||(l=t.line+r)=e.first+e.size||(t=new tt(l,t.ch,t.sticky),!(s=_e(e,l))))return!1;t=tl(i,e.cm,s,t.line,r)}else t=o;return!0}if("char"==n)a();else if("column"==n)a(!0);else if("word"==n||"group"==n)for(var u=null,c="group"==n,f=e.cm&&e.cm.getHelper(t,"wordChars"),d=!0;!(r<0)||a(!d);d=!1){var h=s.text.charAt(t.ch)||"\n",p=te(h,f)?"w":c&&"\n"==h?"n":!c||/\s/.test(h)?null:"p";if(!c||d||p||(p="s"),u&&u!=p){r<0&&(r=1,a(),t.sticky="after");break}if(p&&(u=p),r>0&&!a(!d))break}var g=lo(e,t,o,l,!0);return nt(o,g)&&(g.hitSide=!0),g}function Bl(e,t,r,n){var i,o,l=e.doc,s=t.left;if("page"==n){var a=Math.min(e.display.wrapper.clientHeight,window.innerHeight||document.documentElement.clientHeight),u=Math.max(a-.5*nn(e.display),3);i=(r>0?t.bottom:t.top)+r*u}else"line"==n&&(i=r>0?t.bottom+3:t.top-3);for(;(o=$r(e,s,i)).outside;){if(r<0?i<=0:i>=l.height){o.hitSide=!0;break}i+=5*r}return o}var Gl=function(e){this.cm=e,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new B,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};function Ul(e,t){var r=Dr(e,t.line);if(!r||r.hidden)return null;var n=_e(e.doc,t.line),i=Or(r,n,t.line),o=ce(n,e.doc.direction),l="left";o&&(l=ae(o,t.ch)%2?"right":"left");var s=Pr(i.map,t.ch,l);return s.offset="right"==s.collapse?s.end:s.start,s}function Vl(e,t){return t&&(e.bad=!0),e}function jl(e,t,r){var n;if(t==e.display.lineDiv){if(!(n=e.display.lineDiv.childNodes[r]))return Vl(e.clipPos(tt(e.display.viewTo-1)),!0);t=null,r=0}else for(n=t;;n=n.parentNode){if(!n||n==e.display.lineDiv)return null;if(n.parentNode&&n.parentNode==e.display.lineDiv)break}for(var i=0;i=t.display.viewTo||o.line=t.display.viewFrom&&Ul(t,i)||{node:a[0].measure.map[2],offset:0},c=o.linen.firstLine()&&(l=tt(l.line-1,_e(n.doc,l.line-1).length)),s.ch==_e(n.doc,s.line).text.length&&s.linei.viewTo-1)return!1;l.line==i.viewFrom||0==(e=fn(n,l.line))?(t=Ze(i.view[0].line),r=i.view[0].node):(t=Ze(i.view[e].line),r=i.view[e-1].node.nextSibling);var a,u,c=fn(n,s.line);if(c==i.view.length-1?(a=i.viewTo-1,u=i.lineDiv.lastChild):(a=Ze(i.view[c+1].line)-1,u=i.view[c+1].node.previousSibling),!r)return!1;for(var f=n.doc.splitLines(function(e,t,r,n,i){var o="",l=!1,s=e.doc.lineSeparator(),a=!1;function u(){l&&(o+=s,a&&(o+=s),l=a=!1)}function c(e){e&&(u(),o+=e)}function f(t){if(1==t.nodeType){var r=t.getAttribute("cm-text");if(r)return void c(r);var o,d=t.getAttribute("cm-marker");if(d){var h=e.findMarks(tt(n,0),tt(i+1,0),(m=+d,function(e){return e.id==m}));return void(h.length&&(o=h[0].find(0))&&c(Ye(e.doc,o.from,o.to).join(s)))}if("false"==t.getAttribute("contenteditable"))return;var p=/^(pre|div|p|li|table|br)$/i.test(t.nodeName);if(!/^br$/i.test(t.nodeName)&&0==t.textContent.length)return;p&&u();for(var g=0;g1&&d.length>1;)if(q(f)==q(d))f.pop(),d.pop(),a--;else{if(f[0]!=d[0])break;f.shift(),d.shift(),t++}for(var h=0,p=0,g=f[0],m=d[0],v=Math.min(g.length,m.length);hl.ch&&y.charCodeAt(y.length-p-1)==b.charCodeAt(b.length-p-1);)h--,p++;f[f.length-1]=y.slice(0,y.length-p).replace(/^\u200b+/,""),f[0]=f[0].slice(h).replace(/\u200b+$/,"");var x=tt(t,h),C=tt(a,d.length?q(d).length-p:0);return f.length>1||f[0]||rt(x,C)?(mo(n.doc,f,x,C,"+input"),!0):void 0},Gl.prototype.ensurePolled=function(){this.forceCompositionEnd()},Gl.prototype.reset=function(){this.forceCompositionEnd()},Gl.prototype.forceCompositionEnd=function(){this.composing&&(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},Gl.prototype.readFromDOMSoon=function(){var e=this;null==this.readDOMTimeout&&(this.readDOMTimeout=setTimeout((function(){if(e.readDOMTimeout=null,e.composing){if(!e.composing.done)return;e.composing=null}e.updateFromDOM()}),80))},Gl.prototype.updateFromDOM=function(){var e=this;!this.cm.isReadOnly()&&this.pollContent()||ei(this.cm,(function(){return dn(e.cm)}))},Gl.prototype.setUneditable=function(e){e.contentEditable="false"},Gl.prototype.onKeyPress=function(e){0==e.charCode||this.composing||(e.preventDefault(),this.cm.isReadOnly()||ti(this.cm,Hl)(this.cm,String.fromCharCode(null==e.charCode?e.keyCode:e.charCode),0))},Gl.prototype.readOnlyChanged=function(e){this.div.contentEditable=String("nocursor"!=e)},Gl.prototype.onContextMenu=function(){},Gl.prototype.resetPosition=function(){},Gl.prototype.needsContentAttribute=!0;var Xl=function(e){this.cm=e,this.prevInput="",this.pollingFast=!1,this.polling=new B,this.hasSelection=!1,this.composing=null};Xl.prototype.init=function(e){var t=this,r=this,n=this.cm;this.createField(e);var i=this.textarea;function o(e){if(!me(n,e)){if(n.somethingSelected())Wl({lineWise:!1,text:n.getSelections()});else{if(!n.options.lineWiseCopyCut)return;var t=Pl(n);Wl({lineWise:!0,text:t.text}),"cut"==e.type?n.setSelections(t.ranges,null,V):(r.prevInput="",i.value=t.text.join("\n"),P(i))}"cut"==e.type&&(n.state.cutIncoming=+new Date)}}e.wrapper.insertBefore(this.wrapper,e.wrapper.firstChild),m&&(i.style.width="0px"),de(i,"input",(function(){s&&a>=9&&t.hasSelection&&(t.hasSelection=null),r.poll()})),de(i,"paste",(function(e){me(n,e)||zl(e,n)||(n.state.pasteIncoming=+new Date,r.fastPoll())})),de(i,"cut",o),de(i,"copy",o),de(e.scroller,"paste",(function(t){if(!Cr(e,t)&&!me(n,t)){if(!i.dispatchEvent)return n.state.pasteIncoming=+new Date,void r.focus();var o=new Event("paste");o.clipboardData=t.clipboardData,i.dispatchEvent(o)}})),de(e.lineSpace,"selectstart",(function(t){Cr(e,t)||we(t)})),de(i,"compositionstart",(function(){var e=n.getCursor("from");r.composing&&r.composing.range.clear(),r.composing={start:e,range:n.markText(e,n.getCursor("to"),{className:"CodeMirror-composing"})}})),de(i,"compositionend",(function(){r.composing&&(r.poll(),r.composing.range.clear(),r.composing=null)}))},Xl.prototype.createField=function(e){this.wrapper=Il(),this.textarea=this.wrapper.firstChild},Xl.prototype.prepareSelection=function(){var e=this.cm,t=e.display,r=e.doc,n=yn(e);if(e.options.moveInputWithCursor){var i=_r(e,r.sel.primary().head,"div"),o=t.wrapper.getBoundingClientRect(),l=t.lineDiv.getBoundingClientRect();n.teTop=Math.max(0,Math.min(t.wrapper.clientHeight-10,i.top+l.top-o.top)),n.teLeft=Math.max(0,Math.min(t.wrapper.clientWidth-10,i.left+l.left-o.left))}return n},Xl.prototype.showSelection=function(e){var t=this.cm.display;O(t.cursorDiv,e.cursors),O(t.selectionDiv,e.selection),null!=e.teTop&&(this.wrapper.style.top=e.teTop+"px",this.wrapper.style.left=e.teLeft+"px")},Xl.prototype.reset=function(e){if(!this.contextMenuPending&&!this.composing){var t=this.cm;if(t.somethingSelected()){this.prevInput="";var r=t.getSelection();this.textarea.value=r,t.state.focused&&P(this.textarea),s&&a>=9&&(this.hasSelection=r)}else e||(this.prevInput=this.textarea.value="",s&&a>=9&&(this.hasSelection=null))}},Xl.prototype.getField=function(){return this.textarea},Xl.prototype.supportsTouch=function(){return!1},Xl.prototype.focus=function(){if("nocursor"!=this.cm.options.readOnly&&(!y||H()!=this.textarea))try{this.textarea.focus()}catch(De){}},Xl.prototype.blur=function(){this.textarea.blur()},Xl.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},Xl.prototype.receivedFocus=function(){this.slowPoll()},Xl.prototype.slowPoll=function(){var e=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,(function(){e.poll(),e.cm.state.focused&&e.slowPoll()}))},Xl.prototype.fastPoll=function(){var e=!1,t=this;t.pollingFast=!0,t.polling.set(20,(function r(){t.poll()||e?(t.pollingFast=!1,t.slowPoll()):(e=!0,t.polling.set(60,r))}))},Xl.prototype.poll=function(){var e=this,t=this.cm,r=this.textarea,n=this.prevInput;if(this.contextMenuPending||!t.state.focused||He(r)&&!n&&!this.composing||t.isReadOnly()||t.options.disableInput||t.state.keySeq)return!1;var i=r.value;if(i==n&&!t.somethingSelected())return!1;if(s&&a>=9&&this.hasSelection===i||b&&/[\uf700-\uf7ff]/.test(i))return t.display.input.reset(),!1;if(t.doc.sel==t.display.selForContextMenu){var o=i.charCodeAt(0);if(8203!=o||n||(n="​"),8666==o)return this.reset(),this.cm.execCommand("undo")}for(var l=0,u=Math.min(n.length,i.length);l1e3||i.indexOf("\n")>-1?r.value=e.prevInput="":e.prevInput=i,e.composing&&(e.composing.range.clear(),e.composing.range=t.markText(e.composing.start,t.getCursor("to"),{className:"CodeMirror-composing"}))})),!0},Xl.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},Xl.prototype.onKeyPress=function(){s&&a>=9&&(this.hasSelection=null),this.fastPoll()},Xl.prototype.onContextMenu=function(e){var t=this,r=t.cm,n=r.display,i=t.textarea;t.contextMenuPending&&t.contextMenuPending();var o=cn(r,e),l=n.scroller.scrollTop;if(o&&!d){r.options.resetSelectionOnContextMenu&&-1==r.doc.sel.contains(o)&&ti(r,eo)(r.doc,Li(o),V);var c,f=i.style.cssText,h=t.wrapper.style.cssText,p=t.wrapper.offsetParent.getBoundingClientRect();t.wrapper.style.cssText="position: static",i.style.cssText="position: absolute; width: 30px; height: 30px;\n top: "+(e.clientY-p.top-5)+"px; left: "+(e.clientX-p.left-5)+"px;\n z-index: 1000; background: "+(s?"rgba(255, 255, 255, .05)":"transparent")+";\n outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);",u&&(c=window.scrollY),n.input.focus(),u&&window.scrollTo(null,c),n.input.reset(),r.somethingSelected()||(i.value=t.prevInput=" "),t.contextMenuPending=m,n.selForContextMenu=r.doc.sel,clearTimeout(n.detectingSelectAll),s&&a>=9&&g(),k?(Se(e),de(window,"mouseup",(function e(){pe(window,"mouseup",e),setTimeout(m,20)}))):setTimeout(m,50)}function g(){if(null!=i.selectionStart){var e=r.somethingSelected(),o="​"+(e?i.value:"");i.value="⇚",i.value=o,t.prevInput=e?"":"​",i.selectionStart=1,i.selectionEnd=o.length,n.selForContextMenu=r.doc.sel}}function m(){if(t.contextMenuPending==m&&(t.contextMenuPending=!1,t.wrapper.style.cssText=h,i.style.cssText=f,s&&a<9&&n.scrollbars.setScrollTop(n.scroller.scrollTop=l),null!=i.selectionStart)){(!s||s&&a<9)&&g();var e=0;n.detectingSelectAll=setTimeout((function o(){n.selForContextMenu==r.doc.sel&&0==i.selectionStart&&i.selectionEnd>0&&"​"==t.prevInput?ti(r,ao)(r):e++<10?n.detectingSelectAll=setTimeout(o,500):(n.selForContextMenu=null,n.input.reset())}),200)}}},Xl.prototype.readOnlyChanged=function(e){e||this.reset(),this.textarea.disabled="nocursor"==e},Xl.prototype.setUneditable=function(){},Xl.prototype.needsContentAttribute=!1,function(e){var t=e.optionHandlers;function r(r,n,i,o){e.defaults[r]=n,i&&(t[r]=o?function(e,t,r){r!=Sl&&i(e,t,r)}:i)}e.defineOption=r,e.Init=Sl,r("value","",(function(e,t){return e.setValue(t)}),!0),r("mode",null,(function(e,t){e.doc.modeOption=t,Di(e)}),!0),r("indentUnit",2,Di,!0),r("indentWithTabs",!1),r("smartIndent",!0),r("tabSize",4,(function(e){Wi(e),Br(e),dn(e)}),!0),r("lineSeparator",null,(function(e,t){if(e.doc.lineSep=t,t){var r=[],n=e.doc.first;e.doc.iter((function(e){for(var i=0;;){var o=e.text.indexOf(t,i);if(-1==o)break;i=o+t.length,r.push(tt(n,o))}n++}));for(var i=r.length-1;i>=0;i--)mo(e.doc,t,r[i],tt(r[i].line,r[i].ch+t.length))}})),r("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b-\u200f\u2028\u2029\ufeff\ufff9-\ufffc]/g,(function(e,t,r){e.state.specialChars=new RegExp(t.source+(t.test("\t")?"":"|\t"),"g"),r!=Sl&&e.refresh()})),r("specialCharPlaceholder",Qt,(function(e){return e.refresh()}),!0),r("electricChars",!0),r("inputStyle",y?"contenteditable":"textarea",(function(){throw new Error("inputStyle can not (yet) be changed in a running editor")}),!0),r("spellcheck",!1,(function(e,t){return e.getInputField().spellcheck=t}),!0),r("autocorrect",!1,(function(e,t){return e.getInputField().autocorrect=t}),!0),r("autocapitalize",!1,(function(e,t){return e.getInputField().autocapitalize=t}),!0),r("rtlMoveVisually",!x),r("wholeLineUpdateBefore",!0),r("theme","default",(function(e){Cl(e),mi(e)}),!0),r("keyMap","default",(function(e,t,r){var n=Zo(t),i=r!=Sl&&Zo(r);i&&i.detach&&i.detach(e,n),n.attach&&n.attach(e,i||null)})),r("extraKeys",null),r("configureMouse",null),r("lineWrapping",!1,Tl,!0),r("gutters",[],(function(e,t){e.display.gutterSpecs=pi(t,e.options.lineNumbers),mi(e)}),!0),r("fixedGutter",!0,(function(e,t){e.display.gutters.style.left=t?sn(e.display)+"px":"0",e.refresh()}),!0),r("coverGutterNextToScrollbar",!1,(function(e){return Un(e)}),!0),r("scrollbarStyle","native",(function(e){Kn(e),Un(e),e.display.scrollbars.setScrollTop(e.doc.scrollTop),e.display.scrollbars.setScrollLeft(e.doc.scrollLeft)}),!0),r("lineNumbers",!1,(function(e,t){e.display.gutterSpecs=pi(e.options.gutters,t),mi(e)}),!0),r("firstLineNumber",1,mi,!0),r("lineNumberFormatter",(function(e){return e}),mi,!0),r("showCursorWhenSelecting",!1,vn,!0),r("resetSelectionOnContextMenu",!0),r("lineWiseCopyCut",!0),r("pasteLinesPerSelection",!0),r("selectionsMayTouch",!1),r("readOnly",!1,(function(e,t){"nocursor"==t&&(Ln(e),e.display.input.blur()),e.display.input.readOnlyChanged(t)})),r("disableInput",!1,(function(e,t){t||e.display.input.reset()}),!0),r("dragDrop",!0,Ll),r("allowDropFileTypes",null),r("cursorBlinkRate",530),r("cursorScrollMargin",0),r("cursorHeight",1,vn,!0),r("singleCursorHeightPerLine",!0,vn,!0),r("workTime",100),r("workDelay",100),r("flattenSpans",!0,Wi,!0),r("addModeClass",!1,Wi,!0),r("pollInterval",100),r("undoDepth",200,(function(e,t){return e.doc.history.undoDepth=t})),r("historyEventDelay",1250),r("viewportMargin",10,(function(e){return e.refresh()}),!0),r("maxHighlightLength",1e4,Wi,!0),r("moveInputWithCursor",!0,(function(e,t){t||e.display.input.resetPosition()})),r("tabindex",null,(function(e,t){return e.display.input.getField().tabIndex=t||""})),r("autofocus",null),r("direction","ltr",(function(e,t){return e.doc.setDirection(t)}),!0),r("phrases",null)}(Nl),function(e){var t=e.optionHandlers,r=e.helpers={};e.prototype={constructor:e,focus:function(){window.focus(),this.display.input.focus()},setOption:function(e,r){var n=this.options,i=n[e];n[e]==r&&"mode"!=e||(n[e]=r,t.hasOwnProperty(e)&&ti(this,t[e])(this,r,i),ge(this,"optionChange",this,e))},getOption:function(e){return this.options[e]},getDoc:function(){return this.doc},addKeyMap:function(e,t){this.state.keyMaps[t?"push":"unshift"](Zo(e))},removeKeyMap:function(e){for(var t=this.state.keyMaps,r=0;rr&&(Al(this,i.head.line,e,!0),r=i.head.line,n==this.doc.sel.primIndex&&Wn(this));else{var o=i.from(),l=i.to(),s=Math.max(r,o.line);r=Math.min(this.lastLine(),l.line-(l.ch?0:1))+1;for(var a=s;a0&&Zi(this.doc,n,new ki(o,u[n].to()),V)}}})),getTokenAt:function(e,t){return bt(this,e,t)},getLineTokens:function(e,t){return bt(this,tt(e),t,!0)},getTokenTypeAt:function(e){e=at(this.doc,e);var t,r=ht(this,_e(this.doc,e.line)),n=0,i=(r.length-1)/2,o=e.ch;if(0==o)t=r[2];else for(;;){var l=n+i>>1;if((l?r[2*l-1]:0)>=o)i=l;else{if(!(r[2*l+1]o&&(e=o,i=!0),n=_e(this.doc,e)}else n=e;return jr(this,n,{top:0,left:0},t||"page",r||i).top+(i?this.doc.height-jt(n):0)},defaultTextHeight:function(){return nn(this.display)},defaultCharWidth:function(){return on(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(e,t,r,n,i){var o,l,s,a=this.display,u=(e=_r(this,at(this.doc,e))).bottom,c=e.left;if(t.style.position="absolute",t.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(t),a.sizer.appendChild(t),"over"==n)u=e.top;else if("above"==n||"near"==n){var f=Math.max(a.wrapper.clientHeight,this.doc.height),d=Math.max(a.sizer.clientWidth,a.lineSpace.clientWidth);("above"==n||e.bottom+t.offsetHeight>f)&&e.top>t.offsetHeight?u=e.top-t.offsetHeight:e.bottom+t.offsetHeight<=f&&(u=e.bottom),c+t.offsetWidth>d&&(c=d-t.offsetWidth)}t.style.top=u+"px",t.style.left=t.style.right="","right"==i?(c=a.sizer.clientWidth-t.offsetWidth,t.style.right="0px"):("left"==i?c=0:"middle"==i&&(c=(a.sizer.clientWidth-t.offsetWidth)/2),t.style.left=c+"px"),r&&(o=this,l={left:c,top:u,right:c+t.offsetWidth,bottom:u+t.offsetHeight},null!=(s=An(o,l)).scrollTop&&Pn(o,s.scrollTop),null!=s.scrollLeft&&In(o,s.scrollLeft))},triggerOnKeyDown:ri(fl),triggerOnKeyPress:ri(hl),triggerOnKeyUp:dl,triggerOnMouseDown:ri(vl),execCommand:function(e){if(rl.hasOwnProperty(e))return rl[e].call(null,this)},triggerElectric:ri((function(e){Fl(this,e)})),findPosH:function(e,t,r,n){var i=1;t<0&&(i=-1,t=-t);for(var o=at(this.doc,e),l=0;l0&&l(t.charAt(r-1));)--r;for(;n.5)&&un(this),ge(this,"refresh",this)})),swapDoc:ri((function(e){var t=this.doc;return t.cm=null,this.state.selectingText&&this.state.selectingText(),Pi(this,e),Br(this),this.display.input.reset(),Hn(this,e.scrollLeft,e.scrollTop),this.curOp.forceScroll=!0,ar(this,"swapDoc",this,t),t})),phrase:function(e){var t=this.options.phrases;return t&&Object.prototype.hasOwnProperty.call(t,e)?t[e]:e},getInputField:function(){return this.display.input.getField()},getWrapperElement:function(){return this.display.wrapper},getScrollerElement:function(){return this.display.scroller},getGutterElement:function(){return this.display.gutters}},be(e),e.registerHelper=function(t,n,i){r.hasOwnProperty(t)||(r[t]=e[t]={_global:[]}),r[t][n]=i},e.registerGlobalHelper=function(t,n,i,o){e.registerHelper(t,n,o),r[t]._global.push({pred:i,val:o})}}(Nl);var _l="iter insert remove copy getEditor constructor".split(" ");for(var Yl in Wo.prototype)Wo.prototype.hasOwnProperty(Yl)&&G(_l,Yl)<0&&(Nl.prototype[Yl]=function(e){return function(){return e.apply(this.doc,arguments)}}(Wo.prototype[Yl]));return be(Wo),Nl.inputStyles={textarea:Xl,contenteditable:Gl},Nl.defineMode=function(e){Nl.defaults.mode||"null"==e||(Nl.defaults.mode=e),Ie.apply(this,arguments)},Nl.defineMIME=function(e,t){Ee[e]=t},Nl.defineMode("null",(function(){return{token:function(e){return e.skipToEnd()}}})),Nl.defineMIME("text/plain","null"),Nl.defineExtension=function(e,t){Nl.prototype[e]=t},Nl.defineDocExtension=function(e,t){Wo.prototype[e]=t},Nl.fromTextArea=function(e,t){if((t=t?I(t):{}).value=e.value,!t.tabindex&&e.tabIndex&&(t.tabindex=e.tabIndex),!t.placeholder&&e.placeholder&&(t.placeholder=e.placeholder),null==t.autofocus){var r=H();t.autofocus=r==e||null!=e.getAttribute("autofocus")&&r==document.body}function n(){e.value=s.getValue()}var i;if(e.form&&(de(e.form,"submit",n),!t.leaveSubmitMethodAlone)){var o=e.form;i=o.submit;try{var l=o.submit=function(){n(),o.submit=i,o.submit(),o.submit=l}}catch(De){}}t.finishInit=function(r){r.save=n,r.getTextArea=function(){return e},r.toTextArea=function(){r.toTextArea=isNaN,n(),e.parentNode.removeChild(r.getWrapperElement()),e.style.display="",e.form&&(pe(e.form,"submit",n),t.leaveSubmitMethodAlone||"function"!=typeof e.form.submit||(e.form.submit=i))}},e.style.display="none";var s=Nl((function(t){return e.parentNode.insertBefore(t,e.nextSibling)}),t);return s},function(e){e.off=pe,e.on=de,e.wheelEventPixels=xi,e.Doc=Wo,e.splitLines=We,e.countColumn=R,e.findColumn=X,e.isWordChar=ee,e.Pass=U,e.signal=ge,e.Line=_t,e.changeEnd=Ti,e.scrollbarModel=jn,e.Pos=tt,e.cmpPos=rt,e.modes=Pe,e.mimeModes=Ee,e.resolveMode=Re,e.getMode=Be,e.modeExtensions=Ge,e.extendMode=Ue,e.copyState=Ve,e.startState=Ke,e.innerMode=je,e.commands=rl,e.keyMap=jo,e.keyName=$o,e.isModifierKey=Yo,e.lookupKey=_o,e.normalizeKeyMap=Xo,e.StringStream=Xe,e.SharedTextMarker=No,e.TextMarker=Lo,e.LineWidget=So,e.e_preventDefault=we,e.e_stopPropagation=xe,e.e_stop=Se,e.addClass=z,e.contains=W,e.rmClass=T,e.keyNames=Bo}(Nl),Nl.version="5.49.0",Nl},"object"===l(t)&&void 0!==e?e.exports=o():void 0===(i="function"==typeof(n=o)?n.call(t,r,t,e):n)||(e.exports=i)},172:function(e,t,r){"use strict";t.a="/* BASICS */\n\n.CodeMirror {\n /* Set height, width, borders, and global font properties here */\n font-family: monospace;\n height: 300px;\n color: black;\n direction: ltr;\n}\n\n/* PADDING */\n\n.CodeMirror-lines {\n padding: 4px 0; /* Vertical padding around content */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n padding: 0 4px; /* Horizontal padding of content */\n}\n\n.CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n background-color: white; /* The little square between H and V scrollbars */\n}\n\n/* GUTTER */\n\n.CodeMirror-gutters {\n border-right: 1px solid #ddd;\n background-color: #f7f7f7;\n white-space: nowrap;\n}\n.CodeMirror-linenumbers {}\n.CodeMirror-linenumber {\n padding: 0 3px 0 5px;\n min-width: 20px;\n text-align: right;\n color: #999;\n white-space: nowrap;\n}\n\n.CodeMirror-guttermarker { color: black; }\n.CodeMirror-guttermarker-subtle { color: #999; }\n\n/* CURSOR */\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n border-right: none;\n width: 0;\n}\n/* Shown when moving in bi-directional text */\n.CodeMirror div.CodeMirror-secondarycursor {\n border-left: 1px solid silver;\n}\n.cm-fat-cursor .CodeMirror-cursor {\n width: auto;\n border: 0 !important;\n background: #7e7;\n}\n.cm-fat-cursor div.CodeMirror-cursors {\n z-index: 1;\n}\n.cm-fat-cursor-mark {\n background-color: rgba(20, 255, 20, 0.5);\n -webkit-animation: blink 1.06s steps(1) infinite;\n -moz-animation: blink 1.06s steps(1) infinite;\n animation: blink 1.06s steps(1) infinite;\n}\n.cm-animate-fat-cursor {\n width: auto;\n border: 0;\n -webkit-animation: blink 1.06s steps(1) infinite;\n -moz-animation: blink 1.06s steps(1) infinite;\n animation: blink 1.06s steps(1) infinite;\n background-color: #7e7;\n}\n@-moz-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@-webkit-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n\n/* Can style cursor different in overwrite (non-insert) mode */\n.CodeMirror-overwrite .CodeMirror-cursor {}\n\n.cm-tab { display: inline-block; text-decoration: inherit; }\n\n.CodeMirror-rulers {\n position: absolute;\n left: 0; right: 0; top: -50px; bottom: 0;\n overflow: hidden;\n}\n.CodeMirror-ruler {\n border-left: 1px solid #ccc;\n top: 0; bottom: 0;\n position: absolute;\n}\n\n/* DEFAULT THEME */\n\n.cm-s-default .cm-header {color: blue;}\n.cm-s-default .cm-quote {color: #090;}\n.cm-negative {color: #d44;}\n.cm-positive {color: #292;}\n.cm-header, .cm-strong {font-weight: bold;}\n.cm-em {font-style: italic;}\n.cm-link {text-decoration: underline;}\n.cm-strikethrough {text-decoration: line-through;}\n\n.cm-s-default .cm-keyword {color: #708;}\n.cm-s-default .cm-atom {color: #219;}\n.cm-s-default .cm-number {color: #164;}\n.cm-s-default .cm-def {color: #00f;}\n.cm-s-default .cm-variable,\n.cm-s-default .cm-punctuation,\n.cm-s-default .cm-property,\n.cm-s-default .cm-operator {}\n.cm-s-default .cm-variable-2 {color: #05a;}\n.cm-s-default .cm-variable-3, .cm-s-default .cm-type {color: #085;}\n.cm-s-default .cm-comment {color: #a50;}\n.cm-s-default .cm-string {color: #a11;}\n.cm-s-default .cm-string-2 {color: #f50;}\n.cm-s-default .cm-meta {color: #555;}\n.cm-s-default .cm-qualifier {color: #555;}\n.cm-s-default .cm-builtin {color: #30a;}\n.cm-s-default .cm-bracket {color: #997;}\n.cm-s-default .cm-tag {color: #170;}\n.cm-s-default .cm-attribute {color: #00c;}\n.cm-s-default .cm-hr {color: #999;}\n.cm-s-default .cm-link {color: #00c;}\n\n.cm-s-default .cm-error {color: #f00;}\n.cm-invalidchar {color: #f00;}\n\n.CodeMirror-composing { border-bottom: 2px solid; }\n\n/* Default styles for common addons */\n\ndiv.CodeMirror span.CodeMirror-matchingbracket {color: #0b0;}\ndiv.CodeMirror span.CodeMirror-nonmatchingbracket {color: #a22;}\n.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }\n.CodeMirror-activeline-background {background: #e8f2ff;}\n\n/* STOP */\n\n/* The rest of this file contains styles related to the mechanics of\n the editor. You probably shouldn't touch them. */\n\n.CodeMirror {\n position: relative;\n overflow: hidden;\n background: white;\n}\n\n.CodeMirror-scroll {\n overflow: scroll !important; /* Things will break if this is overridden */\n /* 30px is the magic margin used to hide the element's real scrollbars */\n /* See overflow: hidden in .CodeMirror */\n margin-bottom: -30px; margin-right: -30px;\n padding-bottom: 30px;\n height: 100%;\n outline: none; /* Prevent dragging from highlighting the element */\n position: relative;\n}\n.CodeMirror-sizer {\n position: relative;\n border-right: 30px solid transparent;\n}\n\n/* The fake, visible scrollbars. Used to force redraw during scrolling\n before actual scrolling happens, thus preventing shaking and\n flickering artifacts. */\n.CodeMirror-vscrollbar, .CodeMirror-hscrollbar, .CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n position: absolute;\n z-index: 6;\n display: none;\n}\n.CodeMirror-vscrollbar {\n right: 0; top: 0;\n overflow-x: hidden;\n overflow-y: scroll;\n}\n.CodeMirror-hscrollbar {\n bottom: 0; left: 0;\n overflow-y: hidden;\n overflow-x: scroll;\n}\n.CodeMirror-scrollbar-filler {\n right: 0; bottom: 0;\n}\n.CodeMirror-gutter-filler {\n left: 0; bottom: 0;\n}\n\n.CodeMirror-gutters {\n position: absolute; left: 0; top: 0;\n min-height: 100%;\n z-index: 3;\n}\n.CodeMirror-gutter {\n white-space: normal;\n height: 100%;\n display: inline-block;\n vertical-align: top;\n margin-bottom: -30px;\n}\n.CodeMirror-gutter-wrapper {\n position: absolute;\n z-index: 4;\n background: none !important;\n border: none !important;\n}\n.CodeMirror-gutter-background {\n position: absolute;\n top: 0; bottom: 0;\n z-index: 4;\n}\n.CodeMirror-gutter-elt {\n position: absolute;\n cursor: default;\n z-index: 4;\n}\n.CodeMirror-gutter-wrapper ::selection { background-color: transparent }\n.CodeMirror-gutter-wrapper ::-moz-selection { background-color: transparent }\n\n.CodeMirror-lines {\n cursor: text;\n min-height: 1px; /* prevents collapsing before first draw */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n /* Reset some styles that the rest of the page might have set */\n -moz-border-radius: 0; -webkit-border-radius: 0; border-radius: 0;\n border-width: 0;\n background: transparent;\n font-family: inherit;\n font-size: inherit;\n margin: 0;\n white-space: pre;\n word-wrap: normal;\n line-height: inherit;\n color: inherit;\n z-index: 2;\n position: relative;\n overflow: visible;\n -webkit-tap-highlight-color: transparent;\n -webkit-font-variant-ligatures: contextual;\n font-variant-ligatures: contextual;\n}\n.CodeMirror-wrap pre.CodeMirror-line,\n.CodeMirror-wrap pre.CodeMirror-line-like {\n word-wrap: break-word;\n white-space: pre-wrap;\n word-break: normal;\n}\n\n.CodeMirror-linebackground {\n position: absolute;\n left: 0; right: 0; top: 0; bottom: 0;\n z-index: 0;\n}\n\n.CodeMirror-linewidget {\n position: relative;\n z-index: 2;\n padding: 0.1px; /* Force widget margins to stay inside of the container */\n}\n\n.CodeMirror-widget {}\n\n.CodeMirror-rtl pre { direction: rtl; }\n\n.CodeMirror-code {\n outline: none;\n}\n\n/* Force content-box sizing for the elements where we expect it */\n.CodeMirror-scroll,\n.CodeMirror-sizer,\n.CodeMirror-gutter,\n.CodeMirror-gutters,\n.CodeMirror-linenumber {\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\n\n.CodeMirror-measure {\n position: absolute;\n width: 100%;\n height: 0;\n overflow: hidden;\n visibility: hidden;\n}\n\n.CodeMirror-cursor {\n position: absolute;\n pointer-events: none;\n}\n.CodeMirror-measure pre { position: static; }\n\ndiv.CodeMirror-cursors {\n visibility: hidden;\n position: relative;\n z-index: 3;\n}\ndiv.CodeMirror-dragcursors {\n visibility: visible;\n}\n\n.CodeMirror-focused div.CodeMirror-cursors {\n visibility: visible;\n}\n\n.CodeMirror-selected { background: #d9d9d9; }\n.CodeMirror-focused .CodeMirror-selected { background: #d7d4f0; }\n.CodeMirror-crosshair { cursor: crosshair; }\n.CodeMirror-line::selection, .CodeMirror-line > span::selection, .CodeMirror-line > span > span::selection { background: #d7d4f0; }\n.CodeMirror-line::-moz-selection, .CodeMirror-line > span::-moz-selection, .CodeMirror-line > span > span::-moz-selection { background: #d7d4f0; }\n\n.cm-searching {\n background-color: #ffa;\n background-color: rgba(255, 255, 0, .4);\n}\n\n/* Used to force a border model for a node */\n.cm-force-border { padding-right: .1px; }\n\n@media print {\n /* Hide the cursor when printing */\n .CodeMirror div.CodeMirror-cursors {\n visibility: hidden;\n }\n}\n\n/* See issue #2901 */\n.cm-tab-wrap-hack:after { content: ''; }\n\n/* Help users use markselection to safely style text background */\nspan.CodeMirror-selectedtext { background: none; }\n"},173:function(e,t,r){(function(e){var n,i,o,l;function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}l=function(e){"use strict";e.defineMode("jinja2",(function(){var e=["and","as","block","endblock","by","cycle","debug","else","elif","extends","filter","endfilter","firstof","for","endfor","if","endif","ifchanged","endifchanged","ifequal","endifequal","ifnotequal","endifnotequal","in","include","load","not","now","or","parsed","regroup","reversed","spaceless","endspaceless","ssi","templatetag","openblock","closeblock","openvariable","closevariable","openbrace","closebrace","opencomment","closecomment","widthratio","url","with","endwith","get_current_language","trans","endtrans","noop","blocktrans","endblocktrans","get_available_languages","get_current_language_bidi","plural"],t=/^[+\-*&%=<>!?|~^]/,r=/^[:\[\(\{]/,n=["true","false"],i=/^(\d[+\-\*\/])?\d+(\.\d+)?/;function o(o,l){var s=o.peek();if(l.incomment)return o.skipTo("#}")?(o.eatWhile(/\#|}/),l.incomment=!1):o.skipToEnd(),"comment";if(l.intag){if(l.operator){if(l.operator=!1,o.match(n))return"atom";if(o.match(i))return"number"}if(l.sign){if(l.sign=!1,o.match(n))return"atom";if(o.match(i))return"number"}if(l.instring)return s==l.instring&&(l.instring=!1),o.next(),"string";if("'"==s||'"'==s)return l.instring=s,o.next(),"string";if(o.match(l.intag+"}")||o.eat("-")&&o.match(l.intag+"}"))return l.intag=!1,"tag";if(o.match(t))return l.operator=!0,"operator";if(o.match(r))l.sign=!0;else if(o.eat(" ")||o.sol()){if(o.match(e))return"keyword";if(o.match(n))return"atom";if(o.match(i))return"number";o.sol()&&o.next()}else o.next();return"variable"}if(o.eat("{")){if(o.eat("#"))return l.incomment=!0,o.skipTo("#}")?(o.eatWhile(/\#|}/),l.incomment=!1):o.skipToEnd(),"comment";if(s=o.eat(/\{|%/))return l.intag=s,"{"==s&&(l.intag="}"),o.eat("-"),"tag"}o.next()}return e=new RegExp("(("+e.join(")|(")+"))\\b"),n=new RegExp("(("+n.join(")|(")+"))\\b"),{startState:function(){return{tokenize:o}},token:function(e,t){return t.tokenize(e,t)},blockCommentStart:"{#",blockCommentEnd:"#}"}})),e.defineMIME("text/jinja2","jinja2")},"object"==s(t)&&"object"==s(e)?l(r(164)):(i=[r(164)],void 0===(o="function"==typeof(n=l)?n.apply(t,i):n)||(e.exports=o))}).call(this,r(120)(e))},174:function(e,t,r){(function(e){var n,i,o,l;function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}l=function(e){"use strict";e.defineMode("yaml",(function(){var e=new RegExp("\\b(("+["true","false","on","off","yes","no"].join(")|(")+"))$","i");return{token:function(t,r){var n=t.peek(),i=r.escaped;if(r.escaped=!1,"#"==n&&(0==t.pos||/\s/.test(t.string.charAt(t.pos-1))))return t.skipToEnd(),"comment";if(t.match(/^('([^']|\\.)*'?|"([^"]|\\.)*"?)/))return"string";if(r.literal&&t.indentation()>r.keyCol)return t.skipToEnd(),"string";if(r.literal&&(r.literal=!1),t.sol()){if(r.keyCol=0,r.pair=!1,r.pairStart=!1,t.match(/---/))return"def";if(t.match(/\.\.\./))return"def";if(t.match(/\s*-\s+/))return"meta"}if(t.match(/^(\{|\}|\[|\])/))return"{"==n?r.inlinePairs++:"}"==n?r.inlinePairs--:"["==n?r.inlineList++:r.inlineList--,"meta";if(r.inlineList>0&&!i&&","==n)return t.next(),"meta";if(r.inlinePairs>0&&!i&&","==n)return r.keyCol=0,r.pair=!1,r.pairStart=!1,t.next(),"meta";if(r.pairStart){if(t.match(/^\s*(\||\>)\s*/))return r.literal=!0,"meta";if(t.match(/^\s*(\&|\*)[a-z0-9\._-]+\b/i))return"variable-2";if(0==r.inlinePairs&&t.match(/^\s*-?[0-9\.\,]+\s?$/))return"number";if(r.inlinePairs>0&&t.match(/^\s*-?[0-9\.\,]+\s?(?=(,|}))/))return"number";if(t.match(e))return"keyword"}return!r.pair&&t.match(/^\s*(?:[,\[\]{}&*!|>'"%@`][^\s'":]|[^,\[\]{}#&*!|>'"%@`])[^#]*?(?=\s*:($|\s))/)?(r.pair=!0,r.keyCol=t.indentation(),"atom"):r.pair&&t.match(/^:\s*/)?(r.pairStart=!0,"meta"):(r.pairStart=!1,r.escaped="\\"==n,t.next(),null)},startState:function(){return{pair:!1,pairStart:!1,keyCol:0,inlinePairs:0,inlineList:0,literal:!1,escaped:!1}},lineComment:"#",fold:"indent"}})),e.defineMIME("text/x-yaml","yaml"),e.defineMIME("text/yaml","yaml")},"object"==s(t)&&"object"==s(e)?l(r(164)):(i=[r(164)],void 0===(o="function"==typeof(n=l)?n.apply(t,i):n)||(e.exports=o))}).call(this,r(120)(e))}}]); +//# sourceMappingURL=chunk.604984e2de02739bcab4.js.map \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.604984e2de02739bcab4.js.gz b/supervisor/api/panel/frontend_es5/chunk.604984e2de02739bcab4.js.gz new file mode 100644 index 0000000000000000000000000000000000000000..2f1bded9e8d5b08fc1cfd8d3f2565c8aff9ac186 GIT binary patch literal 57438 zcmV(&K;ge1iwFP!0000219VpjbKEzFZ3{QHMg$%Oxll4X+_^^#4xB9qD6 z8QTqBzZ@<$GBiR-0?aT?clUwrNG6yXRh&*tfbKMyjg}-Rj*-v@*(WJFR>h z)&?mW$`!B8(w(zOp@RxVXq=Hv1aKMLi>3A5L!N%W1ZkLQQIj|@3#HdgbAJip-)ibl zBVTw1QiJ-L)-=KWJ1rtqHTB8qaPp@2ZkA1>-E)@Hspmb@_d_y`TVHv$g zBmY;J|0vLh#}!E9%U? zKPy$YDm}L{|E8_nGIz==VrG92h z@QnI&G{)kN`Nd{E2TjJdh?F61e8LB>kQMRnz*esQ4J|DQQDx7L1Q zcf37C${C_Lwr3oq=|!*xCiyvrTH;pIkysE}iV3d0G!`Kc=?NLZXID=8GcN|YG%Gr4 z>8J(!Y%fY(B2FbH!xcjZoynV6E^I8=m&DpI)|HirqYD*5y4O82C;d^cXDE0Y*6JR{ zR)T=H5IQx*f{v;&l-G(c%Lw-jYsL$b1hHIhH?$FbUyf8(M_Tu0s39!M(+(>&VnD++#oo@^fN2?ed<|GT?LWa-Y8`r ztqv59DDW?HpMd9ozR-Xp+kWN5(KO3Qi{)~nPo0iqTgYwW_nT6e^|{iQCb2LCg%O+x z8+oiN*htrN8NK`UuZSoY|>qhdt4+pKr;DHhYfKP$R#v)gfDhaBTOD6?My~Q zW*IO|SwXlpfi_l=1=-VAoyT=*wM=Ee7F>FELfol+;w_s%8!2_=n+cj%F9^#x4w4iI z&SzGtvYtBOD$rO^&<@iTqx87VGRVq{v3|wdS0umyV+akQt+{t*IpxfIuXXUyT!6~q z>4iZYlRz(vkW)6O6IiRRBLF)E;)mh@K`-(K8Q+%~Y_Ng($BH7Z4BzFH0qugf3ewB1 zywWNGZBPrsu8ZBsanPBkn8YAFI6T5gWAdhg0~2&t9%yl)Q3qk@em|^7IT3gqfwc#ltX!{TrP++H4an7SWb`oS(ct~Q%#xJC8meG z*yU+YG5pZI_-oA+Pu)SDuTP(@5-y9<@;+;k5C&-WK8QD!m-#S7uOI6`1UA*KpoX29 z=jCz#p^--6l}J4iahszSFupx(=Ke?@Lo@U>#b9BgXS@kj@9WST*}J*E|Na#PZL4XVh(RkPZI@J!h;UI2T$g?OoxRa`K%0!gpz?v6F_~ zLC*f-JEg@^$f5IWtu`q*Is37pxwe&@R`|dD3$a)T!RzX)!|F>qvfxr!4Ap{=m5sUT zNsA4|YfhF4H*TRsy61sed21m_%uG)dSQ4(?$s||qfZ3JqiLW(nZ_9IQ;S--Y&aCnN z_v$t?`n0!q%wa@7mEYz5A)ly=^R;f9PZO9mo%2uo`_!azxHo8te02zp$!tI0;c&il zLu`w-&UoGE`2#E1tbS;nMV0X7{4WTr5q_%qqcu7@B!4tWmyVOS^c{e^)Gma#3(z7Gf`>`73-v zv3R!#!|5gni$(M%Sj_yU5&%s${pq&8)n^%;IRE>vgKz=QsGpMr^f*X?&@Q)xpVYP@ zWZ8AKt995KcyzHer`;|wUaB@aY$J2Jb?8ZNaCB5Sg1StlYgkYkg&H1Rf$e~XqQ?(r zZ*fAy#LTL@(EoX?6O%_`Ac(>dHAt5E9UFF>Mz$=9kgC08_3uwln7k7Ihy5M^3;@X8#GWZbe;Y_d8g z*fSHLZK@s*A#Ibb!?@iVezDOhE7OmZ%~ayeF9xaBTb<#9~UosP`WNX9KolhrZF z_2HGLJicOASq~T!9 zC3T}1e4CO2x{-zhKiqg^={WG1QiE*KNS58PV8tzmOyxdXbR$_NH^L~6NjAqMXEU

}v0<0VaTuA;FE;G5RP08MtN|U1ktJI)vhY4<2u6}j8LN>G zm&`8fG^Hik14j9|k%Aq^bNMnQC9K%w4n`a^;{;Cp?mZe?}N%;Cs`r)@w?0T)5>87@s{jR-DocR=Kh~!4w`CUX5&-8>2+o zgAtcAVKp*vJwG2tj!Y393s#vEE;$3bk&F#H9=vkJ=R5_w)V=o#!CtQJb!R-!6M~T| zJs7FaJB}Rxd9w~CM|BwdS6(y|CZ4c&nC*bplOfYN_VvDvR3?-ir(ON;PqxAEdOvN6 zEUQ^c`Q-czisXwvuzR5AjWUXarM)}c>=8c!WTVqAhHBz1} z@?w;;Krfa>P3{b6u6qN?VpKD+3uLGniFL5Udfb5K?LyByU4fn!KO6KztI(vX;D6qq zfpR+w{E*-2*e{l{E+fL8HDS0Ln@1k1wVps5odGI|<3P3`_X|LjqQX3&m^pKe&L8Oy z`ug_ffU+H6B`Ol@BkmXdNl!@>IQt{$>s^|~)zj?mrMn~T?e3ToD~U}$m&8?y%Xmd> zPOM_O8rE$I^)Oc~4vPXwLJM=Go#Ck%vd!9NSh!o0Q zRdAd^^PDZ11*EoPdv|7S+@+dQ=G4P^G^6It+0u+dqdgY=SHqmK2>r850a;5sD#AAV z8Ev?7po{+Xa|1pNH;!U`|1&IMGO(o_zI(v@jib|n8MmA^%mrD0VmCHXO^4c;6_ z2~xvwOI@)}R9UEEmzTC;zVCYiBm^`&_^t5D_f7>IAt2@qaW5c)021gfoYv^M&-fIs z^)q#CUKJ}`{;<9ap#;R0P&_^d&$#-~T9ssVAgfYamB#7~S(RkP$?A>cfTYKRP%?xH z0%=}6Z`9S-0pGYFjo!#;d=89R{~2=kNbbD5FpFjKr$B7x;A?t(^Nbc}e7~_U+z-;1QQd?4L%a=O&FHJhP=Tv2GHK%ustf$>kzd@bF zXz~-~R=V8Ai^N~WqEfD*gwMTaOq5HJ^FNh4@v*6~gl+yAgBRg*qpJPBFR@Rs53x_N zpZ7_&8yE&8=lY_UrfIsNX?o~i1|SAZEo;hl`CFiPIt+)NCrGD*w{1i&Yj(>YR<}D( zK-w*setXDwtB3pvnBGc$%ElOThoJKibVh|$tH!WZ_!%EMRr>uQaDk>NO9fO~jeVfT zmmLk&yk~3(UWuFR1iauw_K1%|n9pT_vOSKHP*7*`h`*>tJ42_DY^NKcMlW_otE*$I zTVUnz5!+;b)-CpejVKLIk)trn2&Js9rXnh!(&`Qg+w3(;U@!Q{>5ijc!06A-Hl*#n z-raS@7UyF)fBs^H_EX-pbzpeN?)xWf%nBt8T_zR4&3ap1?Gsq6 zttY3Bi)O8YXhr%czKRa1K)nxuJeW3MB}B8Nh1HHq!Q&Y(;1{CGv7lImoYb~3SwZ?V zf8R@Ftga>vFC;1Gor~1mP^!)?&Z(a_dMXm5q4n)XGs&SAjTT~fj%o6!kT^!W2T8X8 zT*ex`jtkM!;MJQ_Sd`AVlgvND65$kWSuqx=)wh+iwkh*jy-Blr1L=HP%Tlyc;ViDN z-8 z6Fn7YuGaDFL}`=k{iW!td7pEb^~r^qY4Z^4!qVPUS!v&Jf&IUpFL3R4&irKtIC-Jc zn*szB#nQ;AFbqp}5JZd*7p~Q*f0Mg>*xn%K{$|H`L>4PPTlQOB*L^O{s zj*c1-lNkKiiOIh5#FFm}mPzF%=b3Vy$d^u}vyolrm4J`=LxF|kBA`|aI-5xgTU?xcpv~eELd*&R=J%ve^>rKHr>(Lrj#8yu%0!|j{=g>EiVOlDYG6z zB-ks#eo11yi+2c7+WAZT4h)dIhXt9+%UJFrQ&XRu)Ud_`YaE|GIl>dz3)jvrq+iiG zlm zf%aBTv3v&+(`H=vx8d8@Tl{D0fmH?+94u&7cJ2TCi!c|@U^yV=sBcOr@-$M3wWCH) zK2|GNI90i_b$(r~oWZV3wPtXta%Bx@q^sa9pmZi@Yj_946oj&*y!S9&y&iuhXb|v9 zRDKy@**?Ei5C8k`hlElFW)+rgvMss}j`&Dls3}C;$Bl$RFI0_PdrC^*q9=DH2)mUgK9=8z`@XvR#&T>+!~;Jpqjj4+es z#SwHcLjNz_FAPi)tT$mKZowu`>J=6jTCC%#hY({$OHW8~FHx5qPS4)9;#v5hKWPVZK(hd3jP&}&qd z3GT@;a{zzEb}5)+C~e}hKQ4S)^#n>W7VQQ{Pg@1DxlMVO|<+`ydJPCU*^_gkMcPX~5>hOFndaUD&lY z>7$4ewDMf&mO$*nT^>PuzZ=ij|l{MHQLJ)e6$QUUWg+z3f%Ou0bqt8M=FzNH#!Js#08qOoOVx*5@fA zF8|;VEpyN>t4G?{%?uxfb)7NypNMSefhjFlESWZ~W~$B!wEAD$mX9>cNi*|_5alUX?NU4l0S@o6|qjwJV;lTT$I~A z(9~O`q zkieHAGtvs|1ow{x0mk!80Xum509(n+q3e_qRy?7JRX}SVUv6$p=kaK<`Q^0)+$Np` zkAA^0Nw}NpE^spY3e~WJYtwY@i>Pm7T(f<(qLa3Oom(c24n(OsZrrs3&4pAfe0i)? zo(jNj<5H}roBif3e{@jX?R31ui&MEZSr;w>UKI}yN=}BGT>3kH*q}du+yW_1P^CuO zJEl<Q`*w6U z9?1{Dxn`Od;_I#Ofx?u%Qmf(KPPF=rtdd2meWQ8b==&GFF$WL)t|g$3`-zN(kPm_B zmttpM{BjJw^!>2N)$iV5uO#1W_WB%EGP&Wg^MChlRLn@jR=hRAb!@+Y>%&R`lW1J~OZp1!>%i$$#uPngWMUwpE(zv&jit`gP4ay#RzO*b`ryx;?E*w3On=&R0* ztujR&UURq{K=nXoHvCP*)t8|)Sl)4R7+uTU&^Qq|;#9o5x82Yl^djfpEkok79M22z zP=2!oS&1OWkZgYZ02Jh3!7o819h9zhB_0)l?ID1rqMCB(#fo1TelR45Z%7o=;<=L< z809Zl+zdp3T8^%r9+@Dwveo`9UwJ%GTx2g+)j4f#;Z;mBeX4U!8S_(^Wa(^f9#NNp zgw1iZtw)_bkvAx=8u@qYgL4svuxE+!~Qj2Tr||( zivO6TUe|MPJ}etLU_F)glP`5M+VW<&-#Vk^%FYIhDPDA$YLm=kyEoP}zD)~ljhX4I zet3EP1mENm!!EM@v942eCsk7|2aK0OFTBew3+|wS-diHtxWa%saGzh#V0BwNO4#h$DHh=CMYF$)Sd&(--xS?)0nN>^qR z_M$kr^?}gwyz;CLnn0y%nt&KQtwOoJ>a1ScGXl#k6)APC(y;u*{^dPVy6)){X2{jL z6IhS-;~IP3IK1eE6|G}8Mu)(dZgEO;_?HijSz<24D|%VvuV`UziTF9=U(f4x%g068 zv#(qGZUdJkvHU&&a}@(Jcc-)f#p}_nBMxwFFxMaRq#G}{ZulOl9lyH9?aPyot<+1T*C9toEeO4(p8Y@ ziHhrCLgL4ix_7bAR1)hHn^&CDKlH$T16>f%oZM@pY}>sYykjy&H~d24S0m3n9IC^J zt&Z8yRl}l0x`eK>qRh7sy81!3eTkC0r5NuwDiE*1wZ zG13U>`x|F~XdTANHST9V+MPdrjTVHtN~elaAvKr}5YGf;+1F3Lrn&*fxC#7nN2~w# zpf)jiJLC=ADU33y1*Y*|ccb|W`B^UCN;$kx;K)TnwebE*6sKcqrejYwV$6|v>~e@O zb*)QAnz%7|zV=Eib<%-pNKGl_Fz=p;D=$$}dgD+m-)&QPcF%Yg=%t3X;tCF6Hq49z z51Agn8;@EyZt^x;7lyD_t2cV@H=7!%d&TG1U9!;ycAAGB%Bda;fU*olLjj?4D6q7$ zCwJwsZ*cgPtW$EZ)y|dWuqWX9TsP2oTBvpMw`X&>|6<`j3oCMy3(1*tgyoZ5!o2C9 z_d)bejM;{Zp9?0X_iYWsyZ`b&TiavUgMlQfGMz{b&4toK^Pv_$Yb-V)?_Vj~d z>M(Xs^jiQA4af-cnTAaMAP}jDEm*Z~JRnh96Sh1m!jsDIywV$fOkCY{9al~=wtmC)*!LjgzZ z^@JsvaCc&_`lKNkZ-8W+6HVkyxj}g@MMGEETX})=$XT*zXUxbCWcDD52fwuduPa}r zt7Qd|Ad54`Ammq#`Yw#?V{@ZxgX;Jy4NK=Z&$g-r-y^o94ZCo^87*ECZWC5P49+&N zw3;QMt4+CYi-FxNbmyXl)k4ulr~A3|%ed&`g{*Kl0F#`Wn8BhqWYNSa$|cdmd0nJScGeY^ z_llPH>P#?>u6S}=(_UP?=+|^hy?f+JI409uw=QaRv&Q2b1>Az%gfZi5zEP>oEDk`q zS?GF4UGL7azU!U0_slMKFIN0=xVF~c3I5E@M!8kFwu`i;fwcPC4}=z$)6GU>L@gz> zVx_N@N?nQh@gfJlO~0n5mC_lhnV%RWWk|}LCETsKXjzkR&trb6U&kA;c!ccNpuhXY zzN8sn%Ei7^?gl5jPoC&Y8qv!!c%Xorr(FX3kLp>luc+l$XRoQrSL&8)zEmssl?4jp zw#U6Rn^;?W)yY%Vi_R}PzZZ>NJ7~P|v1u@5mYFpElvodEKiuTiC%3zfR2g#5LhTj{ z-78o7p4K^Y9DBoqPMTE=5cS9}TPLry?xOK)p+0Eu6I@Ed4*R+wN02a>ppAT zYZc?}!v3K%WoNLUf0;c}yM`9EZK&ibU9AiHhl<--Ea=~!Us8fyTx=IP{UaQ3$~oxD zJR>AL+VDzT1I$a&?1ipH}dFQ97KOjb_Fr_QvNhz%G^E0Q~k0 zu?+*OFJoc0Q2L6CbhWMkp0WV_DEP^kY|af~>Z>zwN;hZrn^Le8{43NNoJ)w9;zR9w zYZNt*ieF1bO`recjq&U%b%y5T@1;_`Ti$~(S%@+FsxuaDS1R{MeQ^rFjdfIo2EByS zu(6e)cEzbMrdoF?iFc%t=w||#p65_iaGYf6*oL8>+vVl|4%I4Ah{b7!4pc?su8iC9 z@vv?Gb76S+T{L*WVi&_=teVP5Wy%(o3MSwM6cczwD5^5L4Ex|EE?j}^%C2*3)Ma)0 zDtCW|{AjaD?B%6fp*gXuF0&DRH-RRr!UZfA%B>OCte90q6cc|%PbOcPAH~fv=tO@5 zIXcJ94o;utRUB)fvz~3mhT_KLUc+`CRDTb>8{WoiHP@@!06Y7RRIJ!r zPpB9N-cg@W17C()^|JhUiB9{Wp+iByJG&Z_B#)4>^ypeR3>NaQ>kF~*E!^E zA+$0@|BPpKX7}P=6#U+{i@@!CBigCscAAB$BI>*L?VwSrUx&wkT#P%JxZ{2lbZC&L z>V`SAtIo2LsX3srMmJ8XsY5z*whS#?ND{fES5sYEqj%k~oNr_c(4a2FDCdJV37&_& zG=0k^htQ6F;~wE_WBw-BP9sozwKCpS)2thtu2QK~@{?T+uXWFCL`$h3eirO}R@{yP zg#~cMo)18u+kaog&I_*c??MOEl0m;+M6^#kIJz zn$wVbSK8{H)Vez{eK!QVc~fQOSKJ-l4g^}YqT2OPX(LYX`YsrR|2Cf89< zzy%_h+lQow)x2h#>YDhpgM?)Ekn7JFzCs_N5i{cgi&u197B?g`3I?X^R%O<}PPhT~ zoarD_tKjWI@t?l2(S8r|$J?wcVI%_zi!!^+%b9k~P$6M{(+p)y%mVQa1oMXi{j7a8p-tg* zxlV~hd;h_M5t7b@WgaM^*-XdGT!DauMZa2+h~~r)9f#LxabkRNIM4au5q^tBfWRGR8~udSToDm)9#|b{-k@Psydyvv9iAJ4MKO zdCWrxh8AXZX^rCHBZ5auNA+)&`(7uEHj~#Nk!y*f3Bx4C7R# z=uEDW1jBDYt=!ZlA*TfO?rZfP7IVbirSR zTCpF;ex3F&^ebJfm}~U}hR3BUht}>-6udj&%AcKB&x!Ub;P2n!?RuiiizmGpG@rcP ze^ZC)jJ@>G)HRW6c0kPmmFre#grrTeE=b@_a6)57sn8ox~H`f5}CF7V$Co)P>S0kJB0Gt)klPJJQ0+ zx9t<&q_Dr>Gtfm;nCbnS4r%6q4)j|wKHSWmnBk4MRSdG@(V*IQRlY4ccy25BN3^p)P~8&mibzB5aGZBF$qD1euIHNr~Q z7!vqpW^Xp8Mb_458k=b3D{Em;7?2|z+& zjQ%ARy(B=s6tsL_N}~{}ft-EJ~T=5D+bW)k6LS=x3E#;sJ z$cwa-PE&lS#ZHGQx_lnL?n^r~y1H^ehed$A2~*sin;S=}`B8q^D|mF^CqbC&$v z?B=&_0z6Sp|Jpo1|8jjBaPpUnol0+4U3j?D1isegx}0ZerZ;*w|JtV{dCQt%=K7<#NE zB_xiC=gL7-*o2H)yCbNB{T-H46L8}bM8KBtM7*}U8NnVE_f=XFqE+M8y-&E3?mOT_xLppVV2+3 zh1aS?e1H-f0CYv>+b2{2nxbvmBBO261pi{1BHY@((Mu)c-c9&GNycnVFczi1)WR}f zHS^*d$%3!3Cc|@MXgd+nbEY)cV_viq1`U$}vzKWf?!Z-4ntw*rkpb!`5zO%Sc;8~?YdTC_jUfgFd!P|mkCl=cBl5t;d&0R& z`!C*$@bjavMAHq7%T3kwjq+SL*UrYhYQs*CDn=VDB~e^*(QhFw;kbQ0gPYhC%PVXP zir@0>XSUF~;$LK{lrAb)^LgE6rFGq_=Cj>z&bKZa8J9qT+5M0sJIwXS%ru@begR8Q0g90Hg=ZaG*!Oj~!)L^wm1g!{HEpsS`5_Qj@5aS z6tZJ_y)HH^M1JShpw^}j9#7O|&*Jz3xBUy}VOAE`6`+g2Mf`I2Os_h{2u<7>x(M=O zD0ZmARMueeS#b$Y(`c&$30X;=#{{0N)atb#pfIH!vG=x3WT(pq!Hv@tmNqGRIk2ER zLaNe5B;1u`h{#c%4$pvhkLCToWwsj^A^!zd%lu{=>K`l3_u{ zwWWsXrI6^k3yc@J4NccTYSwOjsaq5B>Af;`2bdW+0@QmGfHAWZdvRG$vgcPz&~FIeDqe% zg9CeC?{5Hm9>KMRnK0iEU?eZh_+rq$38#gE18Q1g5a5ho~Qbc>KosFx2vI zFEa~oFD=%BhUiPO%X~YQ#j(LCVcXb9@AxByGXLAzU$Yv?=GL;Mgw`2;{?N14FYE1V z_c&9Y%Aa^Xu4b!v0ho|?PX8I7E^sTx*u0f72`qY@DY+P~nSgRbeGdSH;flP9>px9G zvGA@7CoSib=81E47_5%r0`k2egCvL$8qLsI&M&!D&d18T(XATOh?W%AmSFJIn8x

f-zgTSBDG+-zp;-AWW)c9eKsw{t7~(ySuI%ypC}UJ7Ogv?czIbboO?)mEwsq0w<*2o<->Eg;=&9z0An;UP%nUKT z1?(FV45qo%iqdv*M4J75SPlIAj_z$V?r-h8+HWa;x)07DE;D!c{eXs z{{WMX`fQlYM@Q~+-dIGmZrCx4G`@=HWUokGXQrxLM zXnF?mQEW-eRe;#%5dqtAarV2vIOWm6O-3_^8SPAH$#Fl!=T)iJwQ+ew$%55}vC<~+ z2jyW3c43ai&jA_L50|P=+AIr~2~ste+0LZ-hHU^ zN5K(D$eqL9X-7e;7mfWm99)UU6$t6HfV}>icOzbDdtMSDi5a>}G2b*vXJHMgFa&2V z|K2!HPB-T}ndm2qdSUG|87q2^9@B z28asIWvp3DVaWmdK(9`UyfJ&dUzk%`%bCrc9qianPpyBnk#gt>Q#QDn^SokLIL7d= zhh=?TY_jslkH7ii?b~r$D7VdD7Mq-l2{yiXJA4`(d3`D)YxN3yzcKyQ9S@*&Z;Y)~ z=)r`ez!9_-j*dD%C0HJsxJ^v<{n5O1H7NGes2Eb*5SRk&Y^U!vj^yijx9B&WD*8qL zzE^2JYV?yo-m7rjMz4)RhLgQn?a!B1i=gs*taNb%u~E4jQ;wiW1)bpa&4p_OhJrT% z&!o#2X?bj^p(o%${=|CxD`@8nJ7G$3fT_H96$$jCp&(jwVRmarHrqCM$=r{5UG+<% z?CR~XdVcM8ZtV`~r%f=$x;6#MEEr?i;!s%Nk}~zBNv`L&h~59%-7-T|uGt&FYoXnI zlDs^7O_u&@bqSR@)?BF3low0+p@dnZG=8|kw!W(q z7sfig@@w#0|8N*0hvW&(`g+fJx(AY$wv_B2Y>-UG*iY12X|m@m40#v zs9kZBRJ6aeO|6vX`POneH4ns&w^-9JeAHqCIn{mFelx8^;P*y<+PFnry7rc~rKPXD z6gElUj1(n=+M;z_yYHp-`?>i*0gg=$RniQ9ta8a&yG{xNyU0^r8r}?*c4yg|Qs$J^ zEn1Z(d($hte?XS=#*hyRwDG|Uw%IOBQk#s*E>3lKj@+aS2UclDj0Gb}+xepxy0xt| z#w3;SW3uK!q`tCksZrVkN@FjcLixLp8e2SiVGRC$@PdDzz7P$r6ncC#PxcF1gco6& zxXri|ZnZF&fNS@xpRS*%vE%+Db#a1^5668Zc9}7?Fn6a&(~fpm;*I+#!+#W;D7M&r|&>Q zQ=!_}vQz1ixCtW}YQ}ulB)uLt=`5}nF;DZ@RmlWM;P;F;NKqq7uxOP^9c{MDuJa$C zTGkj%B~R+tFpnNE`ISKDS8WdQySSD-O9wuCy%1l!eA7-SQw0#ak*U52KH)x-@>vm&$uVLSUU_Q3A@(m>)G$Y397bm?e_4E2vE>eG)tnmx(WH%zmBGyC>5k zMMT=(c)$!bn{`g*bA4(IZd>a9We)FKtj%&|vOKYLCp>kwxxO)*B-2+>^Rf5kEnaI6 z>+U9RY}sundqQQE77X^EB+-LA*<_txXm$J^Y)tf+dJpUC-Kmau3J9rEbBTXqDE4pL zhQT-x^z+L5s1Pv?o3S&ZK9pPVGymJSd1(q=S;O#p-?ar)9hI&{IKyV_PM;Yu&3qC! z!uEhWz$hvo!;EEiM4fw1V7 z8DQu#Co&hetW#7pPln%3TH@IuEQkrjO+q4q)-=h{! zl03|!QI>wkXwXl!&iR#|yI1;oCz{Huh-O&0JD$Pc4N#Z7z~J=)=M9kA2^<2$G2aM5 zVqZ55Iael`KJ@FRO1nzAQPg^)Ex@%V*_+c7bH!Lot=VqHTD1@;XM_y#nR4>t)S|Sl zhLM;B>1+OT8}C{`NOpy5*6}%h@1LB|O7o?3a*9>8rOpsro@odI8A{!mj{0kqb>gPj zyzr$n{J!=E%+=zWt6aPA_!Z2TjoGhm4N)?eM4g-}eM4LtcMGH*x9Y8Vz2?fPtIW){ z{oA*w=Tv`b%x!4m*2KHD_HCwa0d5z`o{y-Xc1hEtQH@67m`Hq6!_(WX zzVYy>JKVrq^U4mA=3bn=!b-t0VR25$+%`Ho1pI_1Or0k@Kxz)t*DrOo*vfdE)ujLG zcw2+#w}J%@1UDJOjoV(Fn11ARj{W(rAgS z5Bk;ne`|f5zetp@rwLNm`^6&M1)IpIl0_VTIat!c4hsr0-DOvJH*7#>2u$I=^~_{} z;cB6;(zIGPyjtsEQ?}PAtO#;Kn43&dvpN zqdjv&!@TbO+fo)K78icFSVFyFd(6yMc*C2c2`aGM+K!1n?cW0mvn_Hc%C%8`KQ1gx zU}GsmKH?Yn%Wj<0d(8cv2#Mbt<26K(cuYlPzy|r_pRLW$@6AyQVrgT~GLAuE>h-dr z^wmGo$U$hfP=j9a{`Xk3=KT+s0sEeRK#MzG1R&L~`?jn}zOXQ^rC*>W+B4>r7*_fe`%2T!i_9lBSOXRe)i#WG8@rUVavf9L z&v>zcFL63~Q-54IUPT#_exf8WU^WO~0xDMYb?|XH?6VVBKSob<>8UY$Jjs}J2(M@N zn2KDwqvVEdWI3>z&Rot!T(dykekOf*UA#aHrm&X_NTShd*nYN>l+ z>scLF{CZwT%Z;~nx0p~46EEw?GPW6%4SqJIvK=>ySljl%%eI8wrhp>8uW=9@ta^8j zoMDxOWyYMp(YRCT!s~ki7U6Cr#90$gO7~VH>`Q4|Gm*&RzKIOe^%`bqTey>?75Duq zIKTa<=iZ2c>}c}BWbjNxhO@Ok^R=3JrOx}zwXK*YeahTa+P6#JeWRUhl$Jq^i+i6e z=ovWI*qsL5gT+y=U5~D$H{o|NeRN;n)GTX>#+2F)557Y&6z;C%?mFFBj!ik;+ftXZ zKU6m*_a=Mb%QtFKXM_1b#o<^dt?L9nTnKF>)=0l~v&vk5Avda=xvFYv_WaH%#wwG0 zK=;|6TVA`rR59&*;(TvG9k4iUp)9fUP0)**hEOKB1pQOorO%1$%>Xz+$G_@w7QHT~ z`2zMYdIT{ojmn+z2&F6rPb&=AdMg~uP0RG+_ZE#=*(V}&)@>t97Al5&a)tu z*4nOl+Vnce?F8C(QEBT{MtHcLoAM%K9E|>8_RUoP`O^Najp_9d<9orh^YWtRx{FTN z^SL{|rd@Q_N3wMm%t4m|j%(D3X;!}Nq&iy?cSdv(^+ENk_o$Nvm1A}%cc*b`4%4%j z7IR~QUfxTMS-QJPDuM?e$ky+(bIbwU&ldP6MGs{pRGjci{L=P1vW&W^U$H|>kW<6l zU6VsisxKgq>uYyevp%%(x8RB3CcCT8zfme2>$Yy%d;K9YySw%M-e2B3&On`qP2|L) zy8vd|tn$LjtR)v3MaXbe zC23a}2UO2lkr4k9K=Bi`8$3dPlRz=PHsONjosLyR%}O}?EY3gxa&V!dz9@47Sley0ts&Ov{CQU62k;nUUX_?^mvuH1@TYJD?IHA z-9d_bC12G2GTtOo_{6gN4(%w17Oo;65*sp8b3kv7b5nRH^kN2t{f|SNMUoX5pw&3s@O5JEY0&Ngt!!&dH8k zi#w?xF%1WpkZzI!J)cv@tE6OBaRa&x0dK4_rTb+JN5x6P0pQYDsld}lK`i#EF{R^o z&zi2Br97S*corfC;`NDfszY)Oh9}E`v3%RK(y`e{p|6~W-*ArfOLIecw?m~&{hHEA z+=-k>dqU|;!#%K`X0Bhk-!LgLW~+ZQlzgS1m=luGUm0^9NFf`W%;KMyEE@ZOhx5#k zT$m0=Gi(!((Cl4a(arJUN!c344Z1ZuliP`5cN8>CWnk^a7TzDYd0ktXYurJVotSG)AiMntN9% z+FTE+r!6&m;<}>3FS#(adg5DXsRi_pM%QsaX{Pih`O;15`QpodQsL{&E+dJ1k~XCA znX?&a;A{TWPZ#*|tCE}$@j+L@OI$Sb#hX=a-}O*hH^+j0+l;J zOPaM^S@2yRShnhdSSAosc9zz`=5L+Y{>J`QK0$Ax7;|H_H^R2<7*lZxrLXy?tEq2c zwYF0Rf36`wjoTugfkbZeQ;wBj?Q&jIS#E}kEo}z(?Sinvb0fni!|J1TvPt|F@}{7U z*cI#oFE(##zuqbpRYi$KNDL+4d2bIftx_vtbzKGJTy`&hMb~nOWYq~akqwwf+K+kj zGArSeg4W}g+zVguV(uK#^l|ah5g;#%wzw?HqO&B;khuB?Eqt4GP~!;gnKti2FB7ip z?(8I?aWr&O5bEJK%j}?zcdOE)Sr%OH?8k;|4?yJ1o zJFWsUCiV#~+d-ES3YP0W2FmG*EY*LsR7#HvZ1Un|zWtOTLFp$0Q26q`4Zv{Y)uA=z z6}+S}#}@EZKY!N+R60KLp;|cl$D#4~321MMD?o^axeu3e&d=|VJ+e+7PGWGf5cn2& z15Yq7I0KgI^$|f>2ppsLh8=Y{UI$Zm>|@bOEtvVycR!a2UZ`H0&7z^)MJf0N$?e49jA(~SmsXpcj1EN8r$=S%jJipd49IQ z2QF@sW^qYqb$ng9A4(UIDF%m+xH&5#Q;Zwh090Yy{u_2Hygv_nDV}dK_&7`K_5;by zY9}fVqe~shF*`lVaTC{fnL!*RFZ62*ij&IqtojhrCnC{?Jc#!z(+nM;SnvLgf1Otm z1j*~HcLg@8F24y@ek^{T89plktU)?hC$T68K@{v)mCc`Vy@ z1JpH?M6Kph$zL3r()tU{E3mbDJ{SKMk<+q}=;NHNT2i%1YSa4WNI~#t{B4ywG6bd4 z@bt-aC!;r>n-cVB+)}30V!9>FAp{*}&6^rZH~nKv*Yi`kCy%R1H>$ddW$!D?E@3JH zUqbH2w~||U|Fhq(^(ZB6Cbm`A#`+l1B?4)6yvG`4z%gl$l-U!D|PQkIOThH{UAFUuUPw zbt$?x%hY9D#p&Yoa)Cv110BsJK{q!}J%OulUT_fL^^9Qeu`nTl>#dl z`X5~lSm8NK>gUsux(INMvnUpaiA{^`A2tS$51P9R7L_wi2yo`$#@i$*XRII#a7s{7 zR`cqhR(8D$d7_Gby<|{n2YA8vzyOREojQ92y>#-kS72fodv{R!6P`FM5ou45r*wf5 zc#_Dl)M4Yh9=S}YF7Ze3u63vHCD6!6+rX$#41|v$iU!j$ogUV^%$gS7|DO3WU>@Jo zI5&K>gz4l8d?7$YtU-6Y6ZThiw|*C`K(p@LOGx6=$(=-w-AV;tL$sg6Ow;Kt_VD@FU;_R^)M`MQBtZcP5?+`1&2cfBhzE&Qf&pK(H@B-t=a@1tru zuwGq=Fl>vEy9dk&;7F>Cg;edG-p}-<(c(Fu7qoLa)JhfQdSPT)hT&m-9 zoay^}#9BEsw$VZ0^Am5A^)9qz@f6Dc?hAfSe%q6yr)jD58>YGJS_Icd_;EOBc}U_b zEIKQ4s^YeU{@7%e$$3Cn61eyM9QkhGd4-fPL^?L2jd3l9H)d*bu#BR{V`T{T`C_DT z#&De9Q||F$h6YA;7)OrA80}FQWC&h!NyN%-Jv)5_fM>iVKs7#Eq3;NY^6?qj)dhH? z>^(ZFHqM<@b(PP?Yi`{nel(gTC&zP~Sf|nbnooD0?Ynx$ad(r`{Db}~dEl3*Fvl5` z2`@SH41x|v&JHV}dh`wYN(%Q_KGpOIj)QYH1=mt4JzmdOoU`L5Dy@A@NazWk*7+SP zn)Z{baMcZ#%yO{D;2^eAu;pTB?tK}hCvvbP>R@r=XO-+h_+$FcJ&CL%M`LMIFD@H9 zkJVM2=s3#Xa~lJfs()k`#iK?@z<)B?47{#R)&TOGcARF}@!Iy!L)Y&_mjMd3evIcVLq=p|{f=T|dJ?Hd={ zFWrrQO=5=U^)ug!EG1tNiQ}H#H%~5f?!Q#+z>6iL!%s@q%W{s@J9F=*9Fp9C;aK<-&bl{4P|O7^B*Wva~WYq+es6I|3sPc1uaw_8>Rjl!|5$}qd~=M5(qk!Gy5!;rce9%!%s9z_IqB%PE~5KbsNx8>#c%|&Moj8~y5xRk+vEAN zo&a<8C03#*?~ffP-|pMa`O(j%MH#e^1R8z&)(bWR@eA{rkRUNO@kH$4%1p z4fJ19k5sXI_ygTdD8QIOi*kUHHzt^7&Gd0;MkWyRLEB*IcWT~^9&k$MX!+TsX!`zk z7thhIQaTx~I)HO{pR*v%S$b`Qsh4Tq#Rlv@27A78XDA*J^)OiLA>VpXflvEj5ze|; ztVMVE7a;6}u=Nhn)vz_i!PAavADw!(0F$kB_}zywpC@WHv0^yIcN^D@s_5p(CJDOl z#B_r2quu%rla^qq^!RjL6{AAqttTCJd*ZqweUA15K`G}Ybt&_QOlMjd@w3X}1?jQu z4s@U^p40?d$avtK9L(q+zPict()wKfkrB0#h}!EL!5e@{2ZOigoa?sQC|3p=r( zHZ-qT32F`Nlc4*z6 z%ljs+ul`ouXKKY$STw?jc@a5+oVK=_wzP`%vz&BQu%+&6D;SG8b)(n{Ea2-$I#yZY zW@l&i>C9T89LM3{y0uMd zV5+lc)ttf%lyh2VtvIEeV;!vMY+5;ISd*beW^;f;+9Ov{dncum4)GrpfT*lXDm|uu)l^1T zt2iYnS9z%}CA_}OKew9QE~>Jwee!qJjm)qw;gN?T5plGD;~{`m>r&soz0MP)YS@J2 z91gh-O>h9Cx^JRY^+hY2z7NgjMNTGPa9O&p4%> z=`PCdul4>yhWpflm?F}hXAy1>$K?pVsS~vVr-{7{^@-t`4i1Ubr0rZ&L;K3f#(}NM z*HnRa)?N&)?Cp4|VfUi{hWelGodrD60CLwfat32Sk{rf#*?1(#iUw0184Oc2C>|n< z625%*vHimXi$+zrEpp62g1^$f$(y?Bio6+x#RKRtap%jjbgt8%Bz2)91DCoO_}yYR z2;I1wu``4~oXqh!{g^tO_jk*yy7>kCUR{}8hw+bF1f_EE!aMlluym5LXCEWXDbT~t z=N~SYlG$4WWLzUt@dJZr7Ji1bx;3?YA)be!1J!@-$I8YG>+f^K4nw%GikDU~Pct)H zOs>`yNWB%<1+IW;mG*s^j6b|bWS4GP#Wa!)&LA=7EnXSee0s+v zC$4#c822Y;gXlUGs8023-L69@)!0QJN!tv$X*0mPDIzW{&O#qiHNU*U;6d4|M!59~!e< z`~G;dWTyc00Jb6SB_FjIh(8AR7ca+yQe!9%9cqS;kQ#`FI9>a7DZ-rtWG(=C$SW-* zpY+BOJl0<&CU4csSj(@JQPn1WK(M9-&cm*5pdadfw*|scKdrp$d)+C{Lhx*Qi?n=W zo0AZpT5=A#C}#xe?zF!1G1SW<7Gy;U`+IeA-vNcPn>3@8F32#1GycK8 z^%DLzb>o`TeWrnbgZ}4vw~h*nlEF0`C#kg0I>V~DdX;n>=e&fexJT^=de*GtTEaD5 zC`99RePJ(~BRwrO`a)TyLRHfooCi!T*#d^`%y>^DkO>RSaleJj9#LN?S7v;u?2&JA z$l!cE9R8z+@t;26;`p-7)*yDJjZ@1e%47GV9axi|B&7)VVY1#*S9jw|jd_zn-j{z; zc4>D&^**$C;8c15oyba{f1OpEo4Wbh`XXbedWc#&H3V6f9qjkNjm*?O$L(nq{nQP! zE4f<#?bAag@k{k?(XglPM|S>448spF)>&~nZA#yBUgKz&{m#OVS(tihYM~G-?xa3S zK_^`@`w_AelF*lr?*0SVm(K~8(mYMK?j}c`c0!*n)|pef4^El6!=^U^ujnf%Eu3Y+ zyO3wdY)y7?WhK;Gw$2vbJGagw9siAD`PVKsE+JFSU8&NvNy#|(25iG%DAt{UPTh*N zTx~_v?9Y<$OV3#4Xr|5=U}D@@Mx+g^z115a3=Qe$*NJRQY5D7&{G8`qZ?C8~77dkd z9&*zT!uiR|eh{lV)~4C%QXMvPv$a?6f!D>a2awtXns9fx()WPuOz8n)YIt*p$OJ$Y z4uACH1gM1i5J|yDMjoB^AL3AJQLdWG4o6if_u8DsD!Li^C;JxromhRuyrY$M z?9RGwLg3~E0MR+%e_WQf9n7SImJYYt;1}bqM2u1AF#yZ2og^rTpW7Y+M zse2ZzDj<(H(6jY4^0)krf3?*fE|k71_^+b_sLlbbiR&sWA->_opJ}Qw9*z+MXmTtz zpHUv_aB$P5nFdT`pMK|9v`2kUbgf5I*T=_Vrt43RWxS@sn|t)&a;ghRv5sBw*(kT- z8Xy@WD~wmZ!pigCrssqT_wJH`HDzA7$|saltbm5jkJO2rKDsQ%lrAYlg$ZpL zK=oZUCXt3LKcUv`Bv8uLPQW4kpkbfwKSDAWO`IL zJPlElmk-7t7L0>vfxQ@eb{ji0h9_g$(Baq|!t%)C)x5B)BLN*RdzKeZ5}oo5A%iGH z6im!hT|jmld!TOu6S0b-(0WD1Dn$2{)YHhovr*%KDiy{Vd0^#1+8*fd)LK@J8ZXuSw6DzdCfb^pI$olwLTkUC>4Mvw z9BkYfAB#;PZb)3=etU)g&f#4Suiv=KG;1{GQlrtyJDG{?B? zvF=6WTB-MhJ? z<)M(e0B{Suq zUC-+X61Vnd-o^!AT1b=;HNlEq;UCr>GL^1}_5RK8|5 zVDFZoJl-4cRq?wl?&`;l+cJG=cWt26IwA_A)jX~k6||N}wyzv7} z7tT^NCm!}-uzgQ2CJv}LmZKx${V~wtSTMBmvo-EAKGK6jCmN4>pQ+wmLOmd!eh*F{ zLgh&d#--9E3nlW46fYA|blYUt*C6mXAV2jG5jyMWR}vz&Y(;<>_oj2Cm#)W; zE}0aU4Z%F>n6<0=urI;x(a z$!bYOg?{Brg&P_M&8tUY1Vhp{yw{(*#)A97_$P$PJod37u&!BA^y43m|N4o)f-0%} z^^2ggbs_9{<(A)@!J~JgCF#f`#A=tkKBVgNeu$&}D?j#QNzn;J|{v z84DhBHykuvqt1AN@~F>6R6=*M*F`iQ-Qb*u&IygZAAXR{M4$B|9pv}Jk5xS1a*V2R zmR|mv!v$m#nw-l;n44Nrsdi0GEFOONLE7N!^uzRu zQ~oWz;r17&?|;A)>a$oshrPDA=tJJCNeEG7y2I+3#L39Xn%8D*I4zpFh#Prv&`}%t zuluZQN5W-eP|dTCmMf(7jhvXcQCjpk)Djnn(|TT1tjaVlx#~P`qLJ;e$KJgEWd+<- z7X-&aqD-;}o6d2QD*H!;{ttdugQeK!`R+-*dp&u{f!?}vyg3cXGPQpxlA=rEar<%U zQ4WtSTnA|2S&@BH-3AoXnPyGp$$}0D;I7;og2bll$29aS5v~7S*jqr=a0oH6B55n z9wuISf0(e^I7huR{bC@;m%Q%qByGRSUR&A>tZNLkqb+D8rjzQ@7_Xav?)*#+)PWs_HA#hE{w@V@kVTX&VxF0cpsfdlriZ24g#`l(SgW`jK|!Wz+-XB2*L`vhumU$5=?PCO z^+)l8dpEq=b!eOTET{d`!A1ABistcoeA<>+Vh8q6X=C8R_iSd&uL(n{f|fWo@$Fmu z+v`E!)FrqB&VZcNS)_~RqPIBxS+f=Glh=H3Yxl8J~~DjP ziKF#%m+XQ4`B~r72F-z`j=W{gGrZm#-X*=UVZL?i4!{-v%-qi{ZRZ}2(~D%^2Q$?> z!vz*xjRnG2Sc%+eDIsPt{ohwoy~DN8kj`0h7|H|{Fb8k`Jro+^-dA;UrLTDOH%b$@ zhNgKqdZ+YtP>ByCa+%kCIOYvrki`|SdKg5VY&2Ue^l_1a6z1D`l$;?^%UD&nG|5C9@Bpgjwp?#yvVliwbY$k+u@YM8NCK*}8UhYDq7RbCUj)2da=Mz=KEHe@8Qo7Nngm;7)_m7TzOj z;@v79Apeg9-5*f}r&gN>ocSxIIRb8_;H7gXEk-{JH*`<&(YkbXLwX;)cfKh)Wj^R= z+ne^;AVr1WAA>N|ax(}7YkbiwrTMKRWAX)Y@RB zu=soXcJ|(6n~FmsPQKE*b%G_c@T&B${!69&5ti`8Wrc-YhlIE&(BKKDTtpd*M=yL; zuE`q_b;_}>4oRWKa?O)yF;k+#Oa{4_{IWxm23Sc}^(qaF$j z!#&+IV*a|}zJ2>W6$jm}T?t*AH?F<(!nO56_vb1t#34JlTHJH3Rz89A8j2$mMJ0})AlP~NbI5`P!3uAJHVPIBTJ6#=0NlD zcAIY{YW(i_A=5P+FjTIoRb%7`EbDpDE$e#3vx%qUtAz4z-yZP*VY>dDIBaE4Q9-9^ zj=xa9iJpeWRB-}Ij95{LLb-`#nyEt@i?9N6=x64g4?NrY1h@r2uN}xlFh;x+)1?H& zT>#*C^8+T+!`|(RgoD#fE63 zXK0)tE1}I##@(4W2ZcDyCMplUcpW*g`%ABl7+DtuhA+G4li`*dl@mXWo27O64cw%n zD_=jsBInz+<0=Mv6&7MJ3gJ~l-CmTo4$K^OKAGnI(0+{eWXkp9VA9N8ZYJkZfuLc1 zI?2qzdsryr=+l} zH!cn(KOVRlOAYSbEnL%AS2H2V_VNc{q#!G`1inf(=8D#`+uS7Y{}%&V^0zH{o_rrf z3i!e-&`&lOr!SPVVEQ#_71>vrJ^ceGr+Jq@z_&W|Tvg%cw1@(ri~EMTbe2gOfTy#p z=(FXjKEaR1{#fJm>&`SP@1IG*2J+ z69*s#n~Cjj@R$WZ$a95%a@2^Id?m^@U04Qj#Pj^aG}OIYuN)M9k~su2I#>j@vUos}b`v;(`Blgzsh39`&hJ0TEN9qo#{-)0K3~Cz`hPzGMb`ROmm4 zGLUdP<6_eVU11gV4${JtvDHN-uUOsH+yuyH{*)68NpC_q4YG*GuKQb`F zsD&=HkU)9GyNh}j`>~tReaah5h468-oU#x-ZOZwECz*C`w$90M8cN4{D1Gc+gB0rj~Tz@9?U;zGDrvz2l!C}ZVj}O?duD&fc%I67kJ|jcm2P-dsLAcw zGTojpRnQLOmf0xbz^3M6V2p*hED|8UMpHLDq#LSsb7VL->za#j+cr6nXaao83Gl6m z@2E=?AiLHD6j*4pMA8YkT;ca(qRaw?!fS&==5I1`)444=ps%hAFT^NxXB&pp3+6!a zEsb;Y$lkMD-8J7+-hCtOBu_SN5Sa@Vj7exl@=U5o(9Vfx(aV(DS#z5#Bv`sefh7j6 zA|+Lj)lU2>&Bgn9vQsB&jOQ*wQS0xeU1~kJ|7q1WdC36|I2LZ8^t(Xm^TW?y(t#bs zb9H)e5C)Feaq%apEN_2C0;Ru$hA5JYU-ioP|l2PqaX?}7S6Ho5qB4f@A=tujm zZoRV2+qXz!P_mvyf!SR^^NUQAn$(q%CGZFLOlSyoR>>7wIw_;88e4ZosD3m3zUQ_O zMrM1?mE%hry2!)Y=*{y6sAj>6QeGXt&>LEXx!HJX`h$b;u^P#eSkFuKOW(h|R>e6j z+@=!43)|$B%I2iuJ{8_TmWUIykAlZK;zs#x4b5Ne~k;yogmi^GU?4fBSZM zGL%nvsB~ILs~~fle)TDRUAqFzCi8C#JhO(vG8``=JUt+XcPjw;vQENp%XZ_<>C1$k z0NJ6lgNn?n2Ui1QhGVFOId}x7F(uy*qhz{Vw`K;WF+^7D+CH+=+Od&!7Ugkb%7q-i zt|#b|!nDM!)6M#%5Q38E{ge6}wc5|;7MO@o_igYs=LX}GRhdyx=r@7IPFFAiW@(CpJLfM})K-bMvH?qPBgIg) z6hkR3f10BIL7PRGDi#(A51RkP^`M0+ZUCEtnUO)qHC)Oa=-3l`nN)Ze`o(C2)Kyam zvW*bkdC$qUY1U6UAqAIkbygxwi!*8c)ncD}i&*fjp!_>x{Ic6Wc*;WiXZiN2tqSKw! zo|ZgHT?r?IFhzG3gjQSg#w=vmBKS6&{1D5Kk8|zk^cr5YW^@E%j+H1`6<#-X)9bb&D z#si-?Ip$Sp=^SLX?~@1QI;*vP1=aHX6S@nR=D54wMb*}fG)pwx@rUb_VQM{1bF#OO zLYRrw#x+&4@}RY%%nVOtbxgY`$;@B#@F`d(yOHq+%%GS-;F+ffGGW^4$I z1Gj(^;tdKU-M|76u-ud;MbgRwWX7RRkB&18sGiWYjt9r&^j|vbru;k%()$ulLW;@t zAlGz#ieL|7E$y*qol|?Z;z(5NQ-2idBcJjSTvUT}-NDIKKH=%RTbwSHR4w&TUm40; zRp-sBS}goovLIP0p)u<${&2gKsEX374ZMDAI>PJ~LjTtFFOPxP&Y;QJm}-9NZuY}? zICA{sOpRwn4@14DGUo$(pc>C`wQ!|rF07lnw#sZNC!ZKD_4e(UIEDJDb6#xgxPE(h z-K+FQq_g{E9?XVs|KO9KHZDrxPy$zP-)_7oM8*J?=r1E4fji4-IMt&Q4;R@(t;ns? z8v#juH~<3laiVy-ZPg*1_#+0#2S)WBs0XK}T`3mgG{hUxfpY{qJETr9RTKsn%30tS zUP8uvt`$Eq8>O2rsk~URF-dJM=;sRs9n{Ly5Pxd#gT{CtG@Y~A#Vg8=0j@G>h5C0- zW8XV&;r$912kDVSa=OlPX5sOlxuM-~Nx_?n;V=wFs(HSiVAtO*%hrgc5ec;4)P(YO z1p?0{2^TVT5NIb#xoqHz)i6{=ED>nw`lo667oi`*;5cT(mR%yu0(+xCbE zXv|@rzQpDx%BSB4{af94V%~)HOQ(B^qSzeVEo6OcgbG8W6r7WM-Vvx&fRO;%p*4aJ z2^foh*M91f!b(O9J!4IknL6|p-N9wvlJ@>sQ%RDsHfM+v)7Pa6Y(+30JcwN}p1Em6 zJu&VefXst$^DcaiiskBPuvkDcBE?29stbf=9}Ubm!E2h^HO&=Jr|1%nFjTNeKIkX! zyvN~W+_kr%(86>>H3fNw`}u|ELzGV&59br&&@z|(EZlW{j22xias|aSw=2x@5M#8D zA|1g|xv0YVXURp>y$7FWvCwc(D9^psicYAFT5+_hRc@B7nntrOz<=sjp*wr@;jrwQ1g&sBvgf~)rmf}M&IR=T^qx|3(ZwN5XFJSRdjLi*+J=;J<)_wS$`Ec2d=LJ_u-x>IV`w?B z%aD4cwr2G#!aSgE+NcKMA)dafzG>=R-gK{%N;$Mgqc)9=b?(fyHja2?S3J@=!Y@Jm z@ps&pXGyRtb{|oM?AXfQ&1C%>J0viv7Zk zf;QO&Y%~?nAmzcKu{DQ)yn`qKJ zqZveknl_f@0_vbI^W<60oA6a_mio&W^5yd<7#LcrsnbKqF1BVq|Ed5m^G_uUt^!N+gPf=Yz z2<<;$rH}`^j4}{m@&VkJQr-^5GSb;5|97?u`%`^}As%Xk$#`CW&Qd)xTL2tOO%Ts_ zo1u9)VVoVD>MLaX>^5Cz#?5JOWn4lnCOe`LLve4!+CXG_BpAiF9ThibKaA!Mm&#aU z9W|4kxRE$-4$C2TK2oJI(XVy%%ReQF09PsfqdRZXlyzOUxxpAfkUL|BUmzUHf*K(R zCm%Y}G@RD>GzB}W?4Sl?zgLlnhW{O-2|GIo!O)01Qco+Z_DLQ>@}!>92i3_0|AXr$ z+)&UaqQ!k;RSc8Zav)r+Avv}w2AhjpbO4nMCz;e9b?e%xm)c$2+v5S8xj!Oki4W7Z zO7?oNR6Wm8_%o+N&LQ`o!DR@3<<&NPZ(555GJo#vude9I-qYd6?dfWBW*Ya!BHF#) z1ObDe4Ba_(vd2w@dy$IF7;4yvRPVv_^J{L|>u*_W#;l2o>4rsjjWvGnX=*ly;XkY*7IUWfVhZ$fpUE0yUv)_- zkC|pd3}cU8-`h1Uu%#YK zG%86lm4I)1_DWq=U%Ng=V1UNVdp5v z?Ddh-W)tVcLQr)G1o_1LtO%}R&i!Z>W~rya*PL)pI5K{Lg^Vg0r9rTr+vAlZoe6ZN zxA};TXl+m?)Rc`yEqKe6Bz^=0c+k;t#KD-dD%F(>v`@XyE=iDz&S%C1Vil`zPE~B} zIl0Gy(bi|Obcqg0J#k2c=S>Iaje!Qlx=sn)Yo$3|=>>eD1=XWQRODk*4XbtZZ&ar` z^xDi)7>8B*M;|YYV-~0E-hy)~iMv*`BY-a`1tf!(3Qt+oIMVzLdh_Fk3bQ6pf!dLJx@juCC|~V*M|^E?rP{J;`4je;i)_ZKIlkKM({tHA>`L+ zL5dDIH6KoPn;)C(SnBYZNYl9j3;Ca3kudG)d3}E8tn91yOZTe%dh$WbJKan4*jP?- z@9&r8iHGjfS}3+LqQcqX<| zg|)T1hEd97msJ1+HN=;VU$u$oHX#po<-m1N6|T{Xbq*sX2|ARGc|_Q^c-7go6I$|L z|I<|2(d%wC_TW049|TDv9a1EJHLV7u83zCLop)7OVF_@yn9a2?`?Z7FkHLxgp*F%f zmwV~!T5ztVB9XW!@>fxLcQ;n{l36OqzF^JI!}s!&3+Huh#t|*l3-yBUX9iwV@sGfG zG~y?o){d}{lmRDTc`D)miIZbxETl|DcV9Vr6`Cwd$4P~bDVbM0uD^fsfb#+OSa$4! z8})I`KYAZsQg-<)-V!i<}Ci zB3ovL&v}qp>0Y{ZRGPii6T;hOZXmyvS`M)!N)8L7_R`fU!7ArWRitXydG~!*?qx-P ztNiL7S@%p*1sBZ5n0yU|vcK2Rtb6-bLP|yeOp^vV(E2{BB1y*mcAZ>TCa@;@C0&>e zZ@*;jSjVzIyOB3jO07dE%T?e9`GL(eH26|D-v&u#Yk;5ld6l?tz0}JH{5lJMN@?cX zaq!o4?A7SjRiOlvb#8$%#b)h)0>pI1d&A94YtH`UX6ftEMEVw^U1`=;TJf$l)4RgG zVL>JU!B%kDpIeTjhz)_K2m2GzQIT{&@BF75ZI5Vw4k@83dlyM3?$y7d&p{X87wtY{ z-}rHrY3(L{#`L`^{cUF(#acY6_f>bd{zA|!JXXvWpysmsi$!pJ(2lH`nt0YltHj)| zBbyXEE{KDU&~cnWXJ=*)Df`TxvD%JH;veZOuTTi(yP7}z(YAiLo%(oU7q0DXTHB+m z7wi}gdgO8Iu1cfA=(7!Lz}O=`8UInlXJQNl>#k#u-Ak3`N;5@ePp&l3y|?lBz_AB# z*ACxvcQ^IxxG6eFp|vATwWGGwn?Jag_M)Z9x*xrMhuVKg;w|HI(uMUoK9XPq%gFX_ zPfCULP*X@xBRqIY3(iJFVu(Nx0_Y^2)Zq?3)KOtz(9)ynuZn=aE4Rj0z`4D9v!tfc zl*gMYayWhrIF5~@3WN8XF5`+%E8FO1I2uPpG-Lnh;hKOr-JM+iwodg|9b)l&$v~mf z;_#1N=W@L5^nd{Z|09msirsR{EG_OHozkGAOwoHe@E7#d5+8K|HW>K`jGeH0*mTP# zA@EgbgGtVm?0)(rO^(6$@7UADahEGa?>c2=eLy+F*{>q#XRP8eVu-2)dZ;-BCV7i9 zXK#iReBCqL_|;yU!o^DNWUS;ju3h$D^0;tOAncn=H*pkz(pgz=Se1O^QOenp)}#zr2eBVAeYMWgz4H<$b2FW(K~#up93Q~KDWj82 z8a-#Q4a^n`>x{h#weEQ`;7P8#*-Or^D+C5H(nx#GCK|W!1tkumr z@)EUh%0<)lhE?eSv5QzS(uheRCmv zPZqP|;!vo}wVk*%!g{_6Z%l7$J2oq>7?`Z|vq$lyKR2B&l7nts);&=zgWjrFn(9%w`N>G~f z{hqUNUo@?BuyeNL6FSMr3E%qi+NZfMjbMO2EqrTM6+)W(IvhY!gP!2R{}80YqlEuX zXB#vy3B4>ox2407slsKp`Q_RX2gu{0BWK*c&k0kRVMlO7*j@W7vFxL^>b|P zIN)<=9r`=gwp9dubXP>p6Zb{NohPOUA>SX+P-klHE5LW6Jt^_(GX#3=&AZnAnB#Fv z^3{}zG+nb2n5$!bo>%qf&n*8Q0-B(05Jmq5erFTBpi(O~QJ4U7CU9{0hE%R!a&L(6 zxLY^gb4l8G0Z@1eH-P|^D!_eZr8NEYCJZnJWOa}}{!L|Ai#qRR6)UTl)p=YHg793Xa9fBiYNw)Q)nQZK!Z zCHoEUf9qJc6yDxgsh11#w;t(%a_%Vkuo_G{H)7g=^`QTOSq3@m<9K!ZH+{Ic64{bs zod&7zv5NHnN&b6=BM5c8kPBau`1joBbna+y$BmPkq7Wyjzy=U= z8^MK~NyMdJMJ}2#MZcUq6~pPe8>>17{jqwuE~Pr+4!z}PvUi2PVx^7DYP=N2cuR21 z{@f-rE;RJb+BC(9E5sQmeMaw*l9SjOr;RLs(j>v5I@RMf&4z0liX7(i!fIn5G>&sw zid7ZrGqh~u)tW?x{|MCZtOA>e)`EwN6mG~dQV)7pwB~SAT6RFRGdl5_aEmts^(Q_grl)yO9mJ#vY_jEac|sjb26t1hC|s>S)XBTb7l$HfSwT)?Acz`_|+yj4}B1anbQgb4Qm;`9Y80ttQdos1t zHrQSm7!OvHLRJ`f?~N}H01`upyCyC;{K?VCWR6NkDIbO`pVoGX%>m35+lZlGp6hYJ z;DWe@VRn(TFAE#8(olR9^mQw< z3;O5Z>Hj%>oL;?n^XTxtW7H@Hu$j^|xC%KDSEcF0XgalTOE*~!&PK687|X(tB!yu$ z%N99(Bv}kvL%Xc)^4Y;^Bl&2Y|5@-iRD&8#f~*YCW(6hIBI$99Cn=8H!8uGVY-FP> zso*Ph@4^HDy*ekZ+a|lF?ygY}FCA(;_Dk2m8(knUCu#uz+4pJQA+A`x?~-KVhzDMV zm08krezR{AAkjxqB5Ymtw%s7;Bg$ z3i~BjwxN`(0M}bu$?e%ye?e{4tuH>C>8p!v@H~ZYmJZI)Hx0NOiEoolkThzy%Ss#mD{XJAdXRN;>O zlQPFAX@WfQresn^e^1dw*r3unhyd-~Sc1>$i+u%{Y6r&Eq3J{Ofe~2myv$01V@!X9 zS6>H_T+$G!!ETUIG{oA%v%;m|bbM~P zZ6WEKYztB9=R83Fp1I5#61Nq*UCz%Hyg%6YLy+iyRGT*+q_c0beM{@{@9FF#;u*I9 z!I}PZI(wd7&h#l2aE6wre@bW15Q2(6|1F(8>6((hsM_NaNq-J4Jz7$3wrjtvH^0y? zD*H*hnduK6QGIUx1KaI2u?Xq=kNo{{{i>p0AELi4eNb=nf}vhIx{p)`a|>=eLV6XAGnXx zCDnQlf2n_izf^NUe^05)hxki%->1LmiP^xIFc#+nF8J@%zzToS0RGbOHU7GW{)~q3 z*ENJO{O@SNu#^|{7wh=9zu|)lyue>7@ZZtcKX`<-#7f}v16~3C@kd@O{_!C%6aV_R zM}86b=LfvL{DW7WzyIX-hJXGW|MXpauzVC2_MkrlUG!Ofc8Y)LSbkJr(BD7)`wPQg zfBw@8^UP{`C!f{5HN|~tbH^A_JKW;??lD#Yje8#p6Z=G zqCZ@Z{?cBcM||3Ozc8~;XY=oCOI!V&z+4!b{3V>Ypx|#jLHzzAS)cqty{}fesW0k2 zbl576&eP{eJ(ik7cT?QFWOKWHdz*LJ+gl2pS1@VPDpkWn zQLBAG7>f{bz8AAOlpFasPCh3TF5z~|zbpHju>_~c(3bteV?)Bj8jfIccKI;y1=FY? zslI6Z(qgc0ud=elLFb-@X3d%nb>CyM`& zG!7I<%B1vPY8CXY#)?)Pz(lwFL8Xi-0${9@)@i13QziADBCQv5%}-TSz>ZQmQ@ie> zwKLA_9gYB2Q~nZQ%}}%*BDG%@R->kUK(n!X$&yL5W6Fb=cbM)TE8nS{$W7DHKY>pp zqGFD`M?wINr;f5FFze3#VgK&kMQ(>|^#%*&b+Buzz&i{3ATw|GWmn94Q%=wbNuhi; zOE0!FCLhJ7+eMjO)R%wHH{ApKet9uFF;DI9$UP!s6dq;V1b5=+D6{N*1AsCBLkD5Z zxaBZBM9&w^%I+^Yk=nMY6H^UNeDaKT7>JAt(d!7vh`tn+$0+&=_!Vk|a;dM&HEy?D zAwn4^4GXb~D;@~XgbN2<$m8L~)GzK9fWC|n3i4FaGO(!H3)A)~iz+_}DoYasNDyU6lHQ0k^ z#}Ry2Jre+&MOLLmNKEh>&!`0tsuhREa4g7@3)Vh-je5hMhBLfd+sa2rKg8anB$+O? zA3JD2c8dj`U%7vNL5Ik;%3ocrXLIj_bM-^THj^UY=KyZ&JaO7A-MpdXu!{(lQ=LZ= z2=-H3^^N6a+!!}bpduS$JHPcrP_Ifi6lraiU9mm}J0h8h!FJ`qQ&a8*L2xjq`MEBb z;>A^v2kO=o)Hs|PrPdo$hTp~{r^ZG=d6}1L)HND#neayBjP8crIDZR2H0;Qzv>i2Z zoPu=eJc)mfQhQwjVs=!v%qMwnu2^o18M8SkJsxiRFoYLcoKln8kK34x&QXc=Z*-|o zmAj~TXegg@-LNUV50x&Vj(ZrUjwX~YZJO^dbql8sf3F{2W^J)CZ>*Soc3p$UWO5mF za!7JS^LINWfDr^*7zD8Y&BQQK%s#;q&mgCLf;CBccAMe(!PGQz_={6~dp&W@)OiZG zv>3%>J8T^uWg+7uo|tyHF%+1MO3)JyX;&Ftv-BOR;5(f`x>$9O_g#&-Kud2%s|sj; zTy4LwnKR9#emd*w>+3Rq`Z8}`H3i-f^rlN^ZBbEbV3*7enihGt`Ix&jZ}?((Jfo5* z1KIFQbK=L8$Y&qxK4k?RMpT2KL3JC7H*2E+U|+qAFEo3I@6bcajKO zXYfynGVpU6V{nE<7)U}_lh|UM7dCo~FOV3c3r-vXW|M)j884-rsw^RQ;W*ae+%eJ# z7smK@8AFFeMHdbi=@}!U*$aCD+-+j9pAOnb{uht+5BNJ z7f!sPuhKG=?SZY~y7uRK+%P{>V!c(o$T@&O5`3@yoclO7ee{6H{yw}rL+k*&y+r9V z>C$D*!aB}&mi_#rkH33J?=Ga9Kr*_5!VHeBnGe=M5hI*;pMTV5m-uG6Q;y@6b$&UJ zkFNT0_q}=`eur-JQMdU-w?2(~7@wARn_r0SX4$ZHvu%^kOUsIvGfVr=KU~T2P+?mT zcR=!{L|02q#nR@$m3YyohZm0O|ES~Bm6;e-EOh(0c=@otx}uX~MJ@Bw?Yw>xk1acDB#yv+nD#ESaTZfB?Iz1AbuD}XzcSfm3D-PqmdmG|da|8H( z_i>OEQfi8Zf)yU!65AYg%o=q5?mc?(bknr9%08 zJCGH^6Y_Y4&utgDulgF3Cqq_=Yt-fbwtA;tY)M(`{+{Am{Cd5=r&m-CHNunU{%)>O zP}I4%8(D`(c5gRgWYPO~x(*Y6@dnA~^xd`MN*La|_QgXC)!wNuS;;QnJ9frPC@a2O zccEI(E}X8z`Tey&Yk{A*rhm@8W6f-9XV||D-?hj6W!GdI?i7qma6KpMjy1hze-qW7 z)mL2gxGR%=NoWvFIjt_;^tS&nBh$Ht8{^4?BvGgAgD(qo$vdYEk|R z;!cc*-$I>L^W$vFwJYZ_A96`NmP2Yb+_pHy86Z)Q`DN>6BE zn)0HHTmlS~g7d1~H~BYpSpwNQo2pQV6&`e9s3!EObE(wNt~FRIy4~+~P2RS!|6pr! z?8~4XY6XjncixHl?r>F9h?MeXSgO)TT0QlPP#i4!DJ_QisE3=j9I64imY^Z=EdLcd z$U<*YY3ZiacWAr*JFlG8sdZf4Sb2L{0)-?WE+bqpC~2T_Hc?v-*T2cpnDYdH;TLoG zYv4(QaAtnuS(u;z?rb#cyMwZcVSSbD+ObMBl!Q7xD2C{4jm{OXVb}=w(GwH|`VCZR z$bf{K8Ryt`-oA~qT|da<$2%yBNd0PZQ9Gsm{&4{gNaXF13PA;?b=wKnC5QMt4)pS$B}xKNYQutu!h- zdB)f8|JQYW@p$pq7XfCW%v7V2idsk0>2%AZa>^dBO=%&vKV4Vl*qo?iPYP^XU_MWJ z(;^##D?2+q{nvke^lws030ufrS`W5B3M@$I%dENqN;v(KF%1la{ZczbwJ&X7E5x?J zc-IZb{h`?C|NieMsPa3Uf+m;iJgA4|UhRvPdTdGI{bK9c26wH}r`*o_f4dZctu{^F zwl`VP{O!^&{D^xKg5Xd;W6R=vSiWE92Bpw#q}at8a0IN+Y09&yvCNd-<-v@?o&kCh z>1L383nvSRPK7LW`2CLNw$sgRk2ZHmIvKWpYas@kC$}H46V%80i{Umn7U~*qE6xH$oA%sX;g+$+}9YmC_hT}XEj*dobV$Jt?Q(H#ZO z+}z-%b)TeRt_a{9TsnL@sV&6}NeapisA_DNuy+GMcdsa7*dt?0&qPmdQg!A66X-y{B{voXmVw%W=r zOQ0Klw^iA6t);i639q7)S8|gpXBi0s=PSU7u4!|pxZ%O1($jp`^jf-xdE6~*q@A|r zI@y)x+Ckoo;AdCnGnMYB>~36^3Zm89(xvE~ueq)Fm$oL_i_3)8A+bdn7-knL^}kna zFXZjU^r^jHy&W9Oe1m=5WOBl~_EUi$nQERrDT%tBxs~vP#j&8gkNMZUPW}8jwgF{5 z$8TgQjgtW-*BW|#@D;@x43F&hSH*Tq<-C1~n%CB+(ET?n%_tDh`lO4MbgO@Y9Igz< zmXw6=ePnLsj&Y$YUE3prDHiK$J$41vt_4(ol02&bif|k~yrAt2U`#UYJJ@n}*j++0 z+tk%nalLQYG0zOJU9EkE^vywfecD$==ePCMx)DTC6RzIIq2v`8x1kpZS~3f60q(GK z%&ANnA~=Z|iYYV8-4cb~S&-nP=JGFWh|e)TgNyaUQ`$F?ZApXV73#Q8bGep7=bJ@T z00;MJ^)cZHR1!Z82o9dBtjWHioSUw)SD{|@G%yejStL_L;IBELTnu0R3N`4`2%FkY z!Kju}n=V0))60g!b&v#;)--N|-@b(^uHv$VbFr(=Lmuf?uaEf}3uKFiAtPS3#ZcnC z$IzxRuhRL16)k0eLMg1Lz8zH|c}CuR98(w|JxXrL2duI$o-d^k8*zsxj(6MbGkg}D>D(D5|`fU_--zb>}IJ;YZq-! zDsd*XY$QPWL?W%l_8oy?`_90yy$cw&M}XlMEbu+V!sNCc66QeFDt(u8WT9(i!EWXB z>~&^p>&j|?Hb?+zkIIOVT^efA+*Z25wESNaWaCOpu2k^g%Z9%gt1`xed#TVjEjcMtT+ zmyVxtw8)~jU>Mgb-?2|?=U~(??;e5QTb2H`phjC=>c3l)yCu(wJ$Pd>XzA~vJOjs- zX?kLN>&Tbo34DlO>CO_%SEifTK^f5KPE3V zhP1jdX16XPAwbt9*P8Bd_m{xor3VM1RPHE?Mt9UGxFbb~#2Z!M;~)UjAKeLvDHu=( zz@Y=!9DrQ;*B4b+e_!OU@U#x6>QcWlrT&f2R_D)_eqvs^)3hRh_|1LmCv>~7lS}iP zJz-R;?2=cWEbyghEl?!XF*Oxp>VWGhhQMcLI4`w&2J6kK$4=*)t4zn87bAZA3J`1n z!BmWnq33x6aQQ3v3Rwk9r6Txkm06|97<^$al~8CzUs#-%J=!h4BzFl5X?(y%@ywItdyfkb&; z73LKdMPHfCq9lBbWlq6$xw2s zUeFQF*g9&HDgI$L?(vo^%?0mk{E#Jir z?&7ICz#ak>u8dY+DJ;>DiMvf&Z{Yp3N^D$kSRv;Kbs3yz00_w4)r&b?z6~|8> zj{n&%-%N#4FT?yc@EG-Vy|oe5F%UY{`@3g-Zi2}1+749b`ae7wQ7b()2(;b{VKk_t zJQh#9Dn+=~030)Jf;p2q@`Ci6tMEi@o9?81N3?gsYwDU4XKP02GVV)e>Jz8D%yJD| zYQy=r$fx9Az~{Q_@OEO%Ps+%xSHMhRWz6xspzA?m@%FvV?V?@$?b-bOYYo5l;`wls z%c9ADz5QFOr~(Q;u(f7Nf7C#`tTMIj=L}L||E-IBfDSGAI{7^r0aPSlMA}RqS@<~v&G@>^@d#u`Vzb$>1gBf?acT1W z-8%WPvm*Vy<>YMfFT>$ISLb&q=>$Igw7-_R074vzuh>zojL__>tx(J_nL#YOFF=71 z+?J$1k={TA8k`bp`U>mn!$ zQsQHX2~kbP+x?fywT6G0kTY+b{z^(b4;%|>&VFO|pXF7$L@FzxfnBrBsQ``OqjKNa zNCZfLRy)G#UpbnB(8@p3x0-TYp$pRZ_KnR4K;>^fBP2KA%Cm2 zd;i(6m9D_3lq(vc2`b({KHJI1XDc6{dSJv}del-fYSDSX$X31ZP$WlJb_2?xoathe z&0q00hJ4Q@VMnX9q2E|+Il=u<`isdd=t@|b4PI4!Z#lC`rqKMWn>;V4QQngRT};*d z_~}bO#JrY26~DVimk?P4O`ys_kTg#82Be`e7>NP{BPQyw_kD>`4OTlPSqE1v3pu$X_cJb`#u+99uiQ2Jq|r;gROrqJV*=MF z@*CcGKsjiAEwhs501*Inqzyp8y(yCX^~Tt3gl@S^i`*D&9-Dmn*!l* z1wq7Kl`_N9{4VFF&#@SOx{t4_sCo9fJzez6Q1sy5FYpVlf0nPA$%u9Oo5F=`R>OAz z2fu-*+E4iwiuJ?3s%)#QW%8x(=&MqFRSvz|mWqT9B?-{r9gzNL;(x4e3O_d7p+$T1 zg_W4gUtAzO1UF{6+MGQtd)DAaJuNRb)T~(V>DX$?Kd=_fzd*^Z!T z%~z!bxu+$G&wC>N@sOn)G&-2L=7>dXvZ$S{DW}$WfqUDmbzycK-HCS65L|l871ehMm1xS}E*4&lP1h?RzRYcivNaX?=1)Q2n>k$3nvt^)7=>>1I1DMcV5@x+Q{sSorRL? z-pz(V$bJ3|>oz|Gu6%3aajmTW%g#%HZ}n}6s&sItk(vZ5`Mj=wF%xElPfHg&N%3v) z@z7-DhZ3bJSva%(yd3Kx^MM_ktLX~jb*X<-_OC(`RKlyai??B5N#x0vh$(bl>dgFL zWz2gXA5%G1yvpaNiqbzWDOzc1L7AOy!?;oz!?e+$%D?!M{L>hELG6K^Vx$|FT5V`I z_q=em3?k!-5lU9doxd!!%sq=YYyfPYtZm|(ya^;Q&4r-xuQ zCsgY9&9eeQxwY$Sl)UDWK}Cs`jmAF1^fe5ze@!yw;ajD&$!zU{wwJ+>EV=9SD~%hs+PK!!;PhU9s8QMt9`?T}N1i)`$BBWn^(l+ps0eSg7+P)KFmnpN_zF-6$g@A#JK?JF zZqs$gUv`JRn+C3|Yo`Y29TjpcGR-}vjhN3Tf+)6pvd0~*0|{yK#FE>ax`B9VrknK) z&R4IlW=c;M%yvbWl{OMmbw}BDmzO26D6Po;M9ROvD1C?}yudN!jKJf_Gn@#sx}*kI z4_GlGeXuyqZ&wd?9J|Oq&F#B6eQ>(_ZS{cP&h!I?>V1dRP9IctW#exJ9u3`ht}9$H zSHwa{AKVmMI?~j1=)B3x3~bKO#RsyBCH?4qSnb!jd(7CfW=6-DO3c#X!dS_ecB^&^ z{OsyoazMfv&Eo-0y4aHbLq^M|G&YY$FM>Z!P)waJO~X%+pqbm#U0G7Og1YRDgp%46 zM=eVbb@PbJg@CXbyHauk%w@XBk$!^2I86st#NY@&MX58hq?NGcm!b?SHhS)VmM6tf zle9F&MGX`>sksTFr)1U1e|cnV9~BWCB?5n=p|s@i;P_VKNm(2j#WfVl5dT?Yd8C-R z>()6MMX7_{_tpAJ$3*n4p>T*lG<==^hyANtYaj6DG6x~C)R0w0Yk4^6joBx?dwjnt z>nv&X;*?jGwYr+F9IwsWx2MLG(rd<*=~IlU&X#&>(AX6#!1m!*ws`rhNwQMfNWk>5 zd58fLHONa!Y3Gz?2d_MBcs25^?@v#xjJnk~${E4NswkC=ULkXO2J|{^Dod=Nn;zQY z>|6&Y|Ev5Q0Fw6+d-Aynesv09jMjALOIAGg%SPMWt}C8rN{0-qpxshA;4;vrI>SN* z2LQ=lx3&msb1|xnBB-lfd#53WAL~ z%Y9h!^4z%Zd2Urns9@)v6P0Yh(1jy@k~pMRDkYTdI@6U&p?&|sX)mh)ntBynbqLkS zN@YpUo%Vj~IQ?W9a)PQPO~LswLzxi&h+pa()8}dXVj{4|zcxg7UhZ;;+-y_q-CSvi z^HwKGa|WYy>T;`AlyvG32(x26WrYvLk#hCUba`^4uM}Bb&e9Dr;V9KW`Ma8>CmXPZ zTE`Z;aho&SSvCbS$-r_)YrHcv3<6MfVs><9&Mek7r#b_vJwm%7pz;oHN2;M40LzIT zxZ+%9LX;eErPknI^f1<0GZ3mw9EhTOR&3cy?Yh6oJ{mLYyd|b?ox~fnU>Tz^u2?25 zRAMH1EQ8a|WV)!Tyx}BT4le=nA1-8NR5RivWs8R&zE_FPl>UH@ok{S1?VQqPY6bFY z-n_TBQ0R4OD{C4mOU^&wvWpM+$-PQy^9Nx47BcaN^}cIqtycCFA$m-4X6O_Gx8CsB z-qd12{XWgjhwn89k0|WUd{#zW8W+~sI}U)(`(sNmv73|vA&J?&)*0oDM9vsFzS=?q%z+5DGB>siBY__>558O%2g z%#X7jqp~s_h}H>ejH_l0mZmJTU7N34i>zA~zU#I>Bj1KD(*i7q3=3z;-G{4yoNJ8d+Z$$G-kD3RAoL19#69i#dx?A{uJW^WT4HD=F0XFKF) ze7O+YN!cy$$w!2GvJIts+HxJo=UkO@^MMG@Ie)~~YBo+D{p)so12=bQh?hL&9iZlv zzOp86^U7^QVndC!C&o&?ZRR|w*4E6+iU&6O%6opfGMl8dp!15!sw;41Ex@d9=4NZ5$f~zj z;W5(7ELzLOE9!mgM|N$R)o!&jJCPF)W2bj=7>m>6g4LTLXV|Lz;VbbE{xN5MHEw9AH&QEo56{_{@DhUusWIExqeXD4 zV7ntgb5-4^t5fQUBBBLqk+sRErpLH0(5I|r=cv=wH%WU`PrkY*9DJ#C7S!J|YjFmb zEA^{y*zJIf_2A6$KEd;tjy!Tl8KvQ5cFu z)MsIptQxPuctp{hcdv0!{ZF)1tAm!Po4#N?(PNc>#sl~Gb(OdWjXvoa8&1p9xGX2V zas~rBAM}DFFz$lsZ9<8zktqridKRu-ny%uqM~;*Zd0)ZF<*t zns#O*8%c&e$YCB|V01KSM|XZ(7)#?DI$Q+b(hZ7P=ef}$O~8H|Zj04ea^z!uHJ z(xfWP*3IKe%Hugw1hmqT)-iY-XJynae-I`xXeE%kW-u5&q^9{J114xWuE2 z$avcCmOt5MyX-)&fhzGSwM(g$XII1n*LyQP)lV(!^gE0Pt-S#?muAo{choNk){93k zG`}O$C3wJMZRDc4c4{8~#&dYHi!8A7LbG~nt}Ic#=06wwr!Sb=gw@9IkhT}wkQW9c z5+A)-h+iMPI2_oj)Q#ds?@Z2A#FKho(Tld1Zdvc+)|uOl`7+sCf>!U{!&z_o4`e83 z(EBkV%L9%iM}>~g{5r|QBYW7M(l;TG_A{9PCcw*fYkws-@K5p%h4hZq?2VC-w-$wV zDs4Q<02cnNXNDw-@dbLxq2?rxAHS<725>mUCw$cE^yywjb{0dnjMBrDW418)kefpT z@S}cmgE7*ym^mtm%rS05306!PHDFyndWTN&WT!D}MEF1Tcg0w1TIcS&ReD@341-IC zpTjZ8-FkO?x|(9dMd)gpD;Fa%J;9`t_-vA47a_T5GGdlrRIsb7n|GTG5RE+7BU7RH zl!IWntt*;X4ksK>*k4xO_^bQ}Z*%xkckyz&vCC1-s+xCkb`tJ>PmnfFgTz@ej;9CJ z63&tI02dw-B8g?wXg@ShRSyRU?P58;P#zh>3pprDPhR(2F|HANWgS;LS&raylhb2j zYeC=$HaNC8>%i9)tB~eJpuhf^lN>RNtq1qvw(Z#2Qr^&esqf-J2ZS>s?LZ(8hp6+Y z{rqU-u!tD#;Aq(IbOzk?xT+HhM7MzzbcrM(zVk?zF0Y-7n=cFN5e#gfq+t@c!XLKg zIeOUb**Z+XpyS<12xR?&N$^X?#7bO59Tg(+A~{K;hd;bkgxAMv;x$v6+P`L6Q-{~g z(wNdZEGwCcuSBFvRz`y$+lRy<$&+nc`;=ZGRkzkhS18er)L5w#PCTn{sQW%zGcbU3 z&7T$GLB;v!MUd3=H!_ztMiz&1LvF6Bq;icZwdPnZT#6ndoU9uYQkW1=qjLGE98H@` zMr>&B-A!+}*R~huZT!%}Lt~v}rk@GkP(g52W}ds2CYcz=W`62M!WBX)k7dM<)+bF^ zA)yS-pdmD~?{J_!vwD}hHPfMlGJ}>wGz)_G5|$@()9TE90PIjq=*(@be-Fy13YyB~ zBJavs>Yqv>PVesTI?_HP=P%t@@zx@sO|Y}p+o^hVB!0;ouDNyZIA_@Z6=hk`UqTGBon?vdK&IUbf{~yB=?yU(lzT(^D2=!7uPS;$_;g=rh88^D;C}X3*n1j zjFEs3YuN=sk#s4vCj*L0_9i4#m&DWD?py^PE4~>o$2JkW-t$`2uYDs}b@Tb5Hv(G1b)mjCsH$&mUH!6GJGpk_(6_;Q=H`s3nd=a_ z;xSZl2*~4vm733Q!tTE|n1H^tGtjU4=3jfPhhy#MzlIo7U&^el%u-}6M6QTm%N|2R zJ3{`(T*|ylnTLVx0NSBLoWsxsesspTYr$?mrQDq39{lIKyjd(X*)pxJF0Oihl6f6; zy!)mEK>ioQ>HK}bsmA`;O>&iPL`hfh4=Bly`x~1)-M}-eg}ShS*n!Yn+AA^j!1wko zx_SE+j$HKswdq|9r7S5j5HRo$UaAhGD2m6?No}`z6HiDN2S3W zYwq0qnNU>(J=9K|z|V8tSg^xJ{A20@Va~Src-ETcK{?;p#<_JVbDj`L=fX{n9E0?U z_N4J%P3(v|#mR-`CO{x%9o6~Q)jdOG_D{o?VbFa+u5Bf8qfo0lR%})2P0VTsUN)i;}2g5xp{3J??9Pi01*R}{9 zRJ=Mla+Qv{fQJbECUEgm>2N1BH#?}q{i+t2L^RaIL!*ATK?8*OVwE^hVzd}5i}S`h zMiH7bGGClRZvEZ$BLbUCI11FxPE}XtHO3M5^Zs~29QgcFDGDC#Cv{1>N7T|k?DUgFeN0`-Z${)uaB(;ikBXDwuER!m zL($JSNmNkjaQ!4>0>&E&K}~rukg4uwv%6a3!>y-6_!1KpPAhBb$4_%g$`L0L!Yipd?0~Bj$j{B#2TOhf@k=3gip%> zYC`FE^(4_n0i$CLhQc(A6fmyB81yrV;X*YO4A^6gJd7!9G~D+u{&*V!fB%1(5zpdJ zfBKV9md5Zy#~$4C-|`J{m2R_Yo6P7whvTl`YT7LIzUOIHo@H7DmT3teN|hW>sZ2b; z(sCwC&yE`jC#{E%!ZH6!rF}1pQV-cU>)Ct!ozGH!b`*iRmwy2DL+9&)Us(v)=Jwm< z(QTE=pM}n2HQl2$<0!{;g1!}*Yy#H(GxVGdkGL;&hU7N~AE7ql{CcL&rl| zohqO8PsP9qwh<<;;nOK20@mQ+73iu~N#kYfHA&WaARB#U{Cj)Twg3=)BPi@RXD4!4 zukjnJ4sn#oKGKj8jyHe=i_J_I$BP8t9Kk)tQuxQ8yiOOx6^cQLCX%=_iC{!;Ux>Zc@wDFn{baq^6g3(Y;R5(TZG$mR;V^`joqyEOB|} zL$#XeJs9i8*(5Vq{iJjiJB&xEP=p~bVS{rnD)E0ab^8zw53D1Bs35=7Q_yed42`dg z9&RIV+z@%>9reUrvI|y0aMM}RzpRsIdBT<-JQERVsV6^jM2MOw5r>1gbw(X3jS@eU zksz*n-K7&#^iQW}K%}1bm|QDe^KD0vw|0w`LRjR!Df9pE|LQq$wU!H-!~cz~t%rS@ zQ<(%=i#IL2d#QzS=`GJ`a>EQ5a#J}>vrV7wo6%vuV&DI?YaZKO!m|_bnMZla6dp9C z(nr=>y-A=T&+RG;4l7>%23*7OfNV{$Zq zzc5F=LAm>-2&a=#CStd%JsY0Q=L=oa(7mfxSSTAx1bpJNUXOwaAz%;fl>2>13w5y7 zi^_*WX>@Kw0Z~ESBr|*VW_rfBW9;eDkvJF@KU37VqL_?4U@~hsC9H16R;7)TyPf#$m)0!wuJrAy&*h3j>{nP~T)qD

&SBKiePKmj34wGs3;X8^|33P6`|qFWm6cyn%GK4?pBMJe<^?IZ4Ai-9+cDHU$llIS_m)UO^`(L>YJQ9BPdSw-|u_aJ$l zck00;y6mvbt1PEf30meRpS7We!{f?p@%xeIcC~6<*GP z&Ix{+j9z{%qbZ~T%&v;-eUsbR5+Xx7JF~0&y!4Y`^=xY8;>B?7Cu0bj9T)(yAGNQo zH|Tb>K-P!In$G;aDz7i_w+Tb%=7x0r>2HL6^Aqv z$HZ4~r*>9Z*MkE%_zV8kwyF+;J4(7aAC&(0eN`Y85Op{~3{fmKX7$e76*kMSv+hP) z74)aMgPA_16621E^197MMCkawe^1pfRk;vaHabM z%r>l)$dX)r-xl*dKhAgE%?w2Uu{#7OE5w@)RZQph$K_bry&vnN54i)VtwS)xD}|2V zokAeV=jT46-ItcGqWbwC#iS!f{fo4p2E4uafH=W1U*oT=4GObPZ=ugnsZVA3i0u@0); zO_Gy`YISCcm7<5-D)%$1^b*FmiCD1O^{w9kz|ueLkn@Eg}0E}6yDmew2>X@qwUp)8eKc{w8kYC z+=ejB^EQ47>>}37^i-+&sR+>CuClYnMq&3;$h6aT-A^smYH3VuO)UDDBKvS^_q0%M z#8d{{&c7D@&Q(5;ORa4|%!edQ9Ag#e_&M;<<1U@NG%vfb=ZxwxL0hA}yF%AlZ{;>n zd*}spA$pSBPLp*K%vi5hH|EAQ^s|IQUU{V%euYh= zdcmSqx;?aYqq8QDPvcTNDAH@J#J|YS0&esFIH`6uXP$>wIk@* zN{)((-!Im#@E}>GNWdKsjgM25IQmOE`o+Vaugm%}EB(kaKeD|Ec^BD>)gI!CZBlbk zIF=)SmQ;EVL6iy|@lTB1=Ar?`v6-#P8np(T_1LMYPPf-L^9CaF zT%$hRI`wU$E&U%77tZ-pczbdN{0Gg#_s2|0OmYK*OWIKowVX@T{l+l_gr5uutNbi3 zu+9fH()_%JB8;ig*%C-Q!sYI?RVLuGzk6WdWmt}vK{uqIW7lGy6zk9*&v)_nE~!+C z3&-(7A>JIWdsy_UO5_UmwXpA26L_Lh9amzk{k?makIQqAC|M)e+3T(zXFRVD_VqyB zQ@iO=19M$!grt!5^&VFHKTiU;QqJYL-k3aiQ|}z7)9Z4Wnb+l*Y04W~eizqO-Q){v ztJTi*tZVl9Z1UL}i66mq&HyxV;8G;xnq+_cdt(nvz~nR%%5$#wt32aU?7K|(W1n{R zJ^%})x1tJ1q`XBllk0JEvX4y`5hX9=3x&k2BV8PK!7>J<`sZxw7u{ zeYVmYUxJ5ozO`B-+eMVB4xLbs-8-dk$-?$O8uS7+=HPX_SW|lw3ljIB;|AE`Cr#k$ zoEzDgWjebpw%antZ#&B5-e!qlQ}IAItcz})L^Jl$rFny_bfbX}_Sz019W0FI1xxpX z6+JlRgrqf(tE5KYh@J~h%Hl|C`xNDh`=l>zVDv9!DI|fjFm(Nbch6O+WIF4@A>(F{ z@!c-nmVJs9lK4hmQdyx&nGRI&n^6$h-Yrd25_^Ti=LQqpeyE=~`QYe<_Njl<+4mg$ zED#^>^YmCWpwm@nqeT>Wx^-sJ^`uQbAmp7dZ8!{~?fkav^J-n#HkFTFKrf+E^?m|u z{Ql47P$fYjRIv%W6FTW_={|ZbYE;6FX%s(_Ot&!%t_|Nc{(ZToLE0=`u~7>qFEspO ziJnSxqUS45h_I8(gVKL-CR1hJ-7^UhDlU*?liEq^ySyvUxhp!8|55W^_8kVp9hzCC zn=mWsDHXHeYpTGN#DxwiC-E<&7kDlT82SDK|j>>CgJZYVA7!LF6qjM9Tt36OHZB(NlnE~T;6it$zX@VX}L0UN^x4uN=8WUA5y zzY{o*Tg7;nNgl=KS@{@ICnk51 zaA<>1j0lO;tmpG8T`U@b`a-mx#@e?bHb|k?Q~dB8LUeUV`$#?YRKY$wr^4g>6IlTE z2RRC^Y-FA?>4yU!`YYuJD>!XYu?mG~R{o?ojuCh`KBAKDe^mAktgo-j{HYJj8V%7I zsu5jeVvZ{ph9n}HN;fA{scQW@mma(9l6{Uz|*h<$@g2_PyFuQSRv(lALkomyFQWB5Iu!4>(`5mbI_MtkpS#3^TONpPYrNGa7RmD;lH3LMon~8v>k#D+nrkt~J=(3YTwAGh{M25D-eB3h zRH5b6jmJgN3!}ky_@B#J^(H^80&J;8P?RB8(h+bo^fsn-!`8YUXaGy&7Oc*2@U3a0RuYSfte1% zwcx6GO2C^J;Q^tosPgH!bSV6@7j_|zI>{7GaS$zkW(!QV&o%<_5NuA(ZF$)TKUdyB_>mU+C3ROH)B!p!TK=K#p+?Cc!xA4@&Z@J>G~4=B%86_Bt+BSelf*ML|Mnhii9GmFKNVXn!Q{z8sjj$8Ed#aEvU zBB*?lL+z*=3?<>tbTVd|Lo;UjvU%A4QtY1B?AZ<+iMV49B>p~uKGfs515xA?yu{ma zh!?SsqoERtI#vx^HLeCK325~(oVbjvHb5w@zeqZjzBwpwRm^`i8IgOPIk1#j{|(+nC={b6NylPh~Hy$_^%(2*($*#BmiYx=0n z7Jpye08ZSjor^5>1WaY;5bDl zNAYj6wl&|Oo#ML6N^^}wG-rOsxY;xYR-ez&Yf!ca_AAZbE3|;OmMwd`!*_#kVB6Mw zljF0v&A+lgKf%u?Z|m|UWAblv9W)2cM>*H)QCw?2LmD$5ZJF=z8&{-N4KUy1XRlmn z{*r5WMiTu2yfAj3t{Foz!mX=BQudJJC^EJwe-(S{lg;_vqp5b@?bL>IVyvl8A z+toYV-r2Q%W|-glWb-WNU_Dm5+x)KcV3luvz(U`0#`Auvt@)_76bO(!F@fxbF#GV~ zAOHMtIis|L?v)lynZPd`JAXX^UjaK|efpR>@m^u6TvC{D%)&c3sZ6cbm8V%7-QgW> z{oM7<6zZT)|LxI8y8r)Y?l}0{M|EFCw^!0jx|`hId;Q1TgT%PuO6;7mJ1)O|_b181 zBj7go_Knm=LJ~p0G_~grvpTL`M|2g|}cF^X)U`tTBiPgdk05gT|>^8%$=wI?r-P`>AsR zwO0Z7y8xEC&5IcKH(-MuiIy~j zw{^(H*{J7FPQcOq=mg0-NFux+ljvRTq zD?`6ojh7gwhOZxlE|lYW4`Q~RyAQ^q)|-_nHS>SE(qK(lS`F@(N);Lwy1dakgD<#S zpF_jWwc=pK&!0Vg`sq)h)xv z6=;D(Js);6=ZT2vAS~#CBeDcI5qn#k%wObi=xvZ9#j&#Jxo5yF;8HK<#l^)#GRDjkURZYK!yu$yQ)=3-IEq;3y6 zfmME!VT*MJ7-*2OnhX|Z+zd`-S!*m$cU&aqx@W=~Ej&@h-5ydpW6_sNw=dV@RF%GQ zL+us0DfH|#k2?JYvnJ=LvU11zP_JkDEaVc%E~R4M?JXm*s$=THp)pwBKQfVblZ8|Mj=k*dJM%Cge3W zaX*FspEf7fA8r4Cz`Su%PYasWg&H?>@(Q~cfD?L(Q0ZJ9GY7_;PNWi17FGObi2nzO zijz?paL5kLkVsQaHE8@d`(5yQmS^KSIDZ2u))YSw*-?v*UE;@fR;mTcD(iz8GU17I zVRLep?3NR~%q2IB;FT^+Eq$L|QQ2lHirhy;#q4eQVQkr2%s zQ|bAA4DpvLFLi_W(&S>|@iI*j@pT8793OiiiP#4oUK|Qgn2&(Dl|`Oi!j>by8;S82 zxlKH>UJH<|YXM-l0{(*=_>j&-dHLkYW447i~Pzv9-$;gX4|}b*JeU7iV$IQgzxrJsW6@@_D$fg)QT_ ztD?&`Zq+;_16nae&0$}w?nxt|$*xg#$#SJaIAX-ED}=3grruW`dUx7J!m_llCn^Ui zvaf$O6jYMrnG<)}kLJK_RFCJH(s{@-=!waKBz&xTmS=+$)FC;^C^zoSUNqX?PB%TF z&=AMd(Hp@+q5j=}_HS)v*!IF&eV!hs>{aRz{^|EWh$>|HS7=v4p7OR3q{eFSi4L#J zLR(ep1j-zdG^{n{t<2J4Et;~ZP%d;ifIs9Ft^XHlVei1L^2#RJYbEgS$P?oFU?|DZ z&V0m=8Wx>%gTTFB%nmM;VcVx7rJa=kuY;)@9NZWL@qRcM(TH(exnSljJ5U9>wUA(} z5OrymP#<`J%CV+MTFp>hCtqJ9Ju17qo|fc_4%$hfRaZxhEKHhlFeWkPQYz~=DeNqF z8*~A*2^R|WupqeFkn$>Z#ti5xhf5lSv~2+^e?tJ3bXrH^Mf)%ek?7d>aF++mQ4(4P zdpA~Px~&nX>PnB`+BmbYx})O*cqaY9yUfT3+j9d+MH7PH;S-y2eXb7_&84=5!HU0> z;6~Wq%7J7Ox%x_7(O;D%Odz!ehkU_BMQKu`mCm!jxYt>VF zZKG>h?%xkd$wd3%@oqdkzV%kyFTV4`Eu_ENq2ETqJ|quF#W>tXIK=f9w4>!1R1K9% zLPe{^Dh{tWh)keG$~^@Gvgxg(A@N`vrk^;89v|WH)f7RlB@-&SE)s1%=xc^_#fKO6 zwZP-RiIWiq*%@{NF<4xLmfo-wv2|A{Tb#bO07T zaR%eJkQ+{&ORIR<9h$48vBfDmK;l+yIA{}h%HQ+@^1A)y+SgXaC>RKQfyQVDTA<3#cQqTV*dvXOgxta3~dB48D56*@Hf_! z-RSIocq=N-n~P1xQ!LLSZQn&(AvUpl2fbLu@ODjH-uM^@L$H7{EsO@Ki(`zbLw z1_j-pl#?%#?IaIgN-pSMQb?5ZUL?+v<8%^`K)ZKtr3`jw6B#sR0X7fBHmn)JE)d@1 z6v{q0A?mQm5g~XqJtAcYrupQd}PSrdP>i=W`CxwpRXkFaSQddbx z!aFgR3b81YT^W{z@y3F+^-kWeyUEjw;2*4YVib-$la)=}^@UGx$oS@MVMakB%mcd0 zd(hqoho;|!k|c?7uF|yMFqtw3*(~B|cf3M{%~Z-uBkvGr@Y-u_j*!k1Q-Y>&^a->* z+x8sIT`JY~t_~wP;O%q*^P?`0jUL9`1}hro{30F0ISP*91ZVd7^z+EJ*QUGnT9mal1@=q@+`gO(^mBSBS&Ej93CH`@7habzkrLC_^ zUR0L^w@&jPlhPkP`$qNa-{PnVG|#+r$y0jDJ&YfyGQF9UU*v{sDf6!k(zH<^0C}O} zEHAr|?z_qOV`-~|B(=FBN{GOpH~7gSY*gWxN1@5$HvDw0rH~_1tDUPEbYGn__*v@p zhLXCaBCX^boq4q_ZSJ(ZFu-r>c$j||Fy*-$n7lAR_HjI@edR!dH|OxBDl8Y3t6Eff z!hrB^=pksm@HdOsd6nm+(d4=B9FGGGnz>l$$Y7eZ>D0G?3FLXB)C4B@-%$!iHao{T z)||{{&;eIU%b!6+;qALH0{YZP(+B+Dqqy=|fzVR{4(MSoId`H=ePT1i#y!JQv!F73 zZ7`@_%hSH;HY9(8A`UJ2@z_bJ(@Z$%(4w!GiO#dv0&?ZSK_H&cW>fLUT6vS38z!<< zqhw1ZjewR+!rBjYk>-R~tx;LGp0IP1VT}i13}&@0zReZ>&VX|%&vE#C3vs?1vGw8B z*`8A`^uZA2fYQL8)O@kS)ZLxXi{a}=BDw%h2JHZP-6*zCkT%Wc+g+h%=tc6YmLlNH)6nkbp>hMNeP5U0wt_Jww?gLz5 z+GFeg1Qmv<8?2pCU(!Ro2J{j-09{p+r8x~)G)nn&7pvH;+Aep6MxZnozDnl)wPI!0 zJ@niYRvu3(C1uQ~lR^Q4U_mH&;;4l_Vj16RYd|%bT%Wj_76ic>71_hXZX&*| z{n;v5*&V$+r3yP|SLCK`OF!ZSt|t>kk>?ln-k++B>HDV;nrS4Pna7|g8R+`rlC6@R zlBJSWAe@#IRV-uk*6Cg3u9?j;=(f9~D1)-s{pMA(LgWyPB4KV${Dl`Nt;xX^K2U;4 zcp*DS?gxeU+&$`-iFTW^$KY*GHYh(Pm6AssTiyW$%1s@e?Qvrzr@TCizE7j)GCql_ znLJOtTlN83U=!Q+W;h=A$VEk|$w+}@nqru2x%X`m{WJ+yiJ^PQwtd-ormfe(z- zHtxZStQ4}8RojiH2kK}7qt{NW5-&|4t5kVxFAjpMygVLMQ{o2+WNfHpLrfJ`FC^o& zVmBU6VfH;d+h!)y8Y@EOdTsHHZJ32$r9euuDQ_sIYJm7j4^Ol*B(tVTfZ;hyMW7Xg zyzL`k4T;b#1K8|LW>M?mGZ=t)vA9J)ZzjLj*MA!scVN82PLu%QpSTt1Dt`D%k__&d zx?69V\n ',"\n \n "]);return l=function(){return e},e}function u(){var e=h(["\n \n "]);return u=function(){return e},e}function p(){var e=h(["\n \n ","\n

\n "]);return p=function(){return e},e}function f(){var e=h(["\n \n
\n ","\n ","\n
\n ","\n \n ',"\n \n \n "]);return f=function(){return e},e}function d(){var e=h([""]);return d=function(){return e},e}function h(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function m(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function y(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function v(e,t){return(v=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function b(e,t){return!t||"object"!==s(t)&&"function"!=typeof t?g(e):t}function g(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function k(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function w(e){return(w=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function _(e){var t,r=x(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function E(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function O(e){return e.decorators&&e.decorators.length}function j(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function P(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function x(e){var t=function(e,t){if("object"!==s(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==s(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===s(t)?t:String(t)}function A(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ',"\n \n "]);return l=function(){return e},e}function u(){var e=h(["\n \n "]);return u=function(){return e},e}function p(){var e=h(["\n \n ","\n

\n "]);return p=function(){return e},e}function f(){var e=h(["\n \n
\n ","\n ","\n
\n ","\n \n ',"\n \n \n "]);return f=function(){return e},e}function d(){var e=h([""]);return d=function(){return e},e}function h(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function m(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function y(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function v(e,t){return(v=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function b(e,t){return!t||"object"!==s(t)&&"function"!=typeof t?g(e):t}function g(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function k(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function w(e){return(w=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function _(e){var t,r=x(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function E(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function O(e){return e.decorators&&e.decorators.length}function j(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function P(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function x(e){var t=function(e,t){if("object"!==s(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==s(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===s(t)?t:String(t)}function A(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a5QOg^iwFP!000021GPG7cjKs*-{)5-nmGx)!YZeFmrL#5XP>IKFK$l`k#S6w z3_5_bw4?w2E(i%^%So^4#S&cZz5zm-RqO1IUDvdH|6f{)x;Pqnd|WJXR`2u%Ef%kq zWPkbbWxn2t(r_sdBZervPj{Ln+9+O{bfz+e44x_U!DpB#^yw7OZmCK{q0kf)4nLP4 zU?K|y57SFb?9VIr^9o}^?K~{$NF*9DyjRTZlt8*jyYaLr%tOuOI{D+n_F7iw=c#rN zhZ7k$Oi?4%yjvO&CLWSC`N$*#oTtgLtds&|-j#s6D2jgktb5LCC5^Pp<{fW&PY?s4 zrWdkAcyE=&3Q%+Uy-56DzLDCX1s6=2B~JEXCP`|^1&B6bw@etFCtPsDX_cJuZ7r3d z!pvgua;LOZ&ww@Ikq)Vqva+jzNi><%if^fUn7BbazP=u=2lyK<@?<(-s-~+I7dI0l z>pc0mz8{^umd40!p1k_d13bx-VfW@q#xfy2%893t?4Ke#J%L6uaDWw%d_qw@%=2t* z=wtWi}C<@+Kf7m2Q z*U$349_9UYA6EgnteFUJx`fQ}wRPXtRl^L^B`Eg4*~8%kc)QdG=EydT+Po2s#?rrD z@mv2oq6GgMbP+>`$>+n)XThFwp31B?X%sRN@>s*>cS? z#k8z$84P7+!vq2n5#fhcRK7-Mh$UQTLq%zO0)w&HD0!C%c9;AK!u?yNq(bS}R0wI3 zl2%nh+gMAehR41)iLl?sibS`CSAu5dZP$#vSwB9;4O}ouc6H@imaD76fOW8&4Y;pk z=rb@9C)WU(YDiYV}F zOwOj>OIdHB%O*&E7sk=uxL3^m=*?hsv@s5j^7uHq3V;tf+$+S|>|ls0?h(tN7~)yF zWo9F-844KTVl_8~4`0^C9=TK8(CdojXHx=tSo52m>fV{yZJB?&Z1NPC7@~rK4$-rV z_2FXu6Be&It0FPZ&k-OvToj8EBbYYb7HMx6A7PvOfxJ@}0p;b2)V49)GGW=&h8kYZ z)AlzV!6EMi4EL^wRJADAk-n^0|@OQ;(m8haROG&6sMu419ZEv(m6ta*@6;FVc&|NXU0l83-9q z1qSZ>unRS~t3QME&G6%+*j1Iw$DPV%9pipOYvfzSw_xF0b|6VhL=>t`T#VTA07;ha zDg%riQWLnNA!eh}e(^;_E7|U}N&Etu)cv@#L6+jiXSP(kF^ua_Q2yjd#4Rmb@rpA5T~T@wutz){@jZuzy-Rr3$Gj; zzo+a5aEn0}G1Q#pYIaI`X{A3F{}^&q@;E_SPD7$@dG2D>#MyeLihWd*R2E)B-BMkS z3kA`S$FHO<;C*Hk^Y$?pJ~@DFV=cVvjBQ^)6bS3{b1UwsoX`dd`#)anTgB$^(yQLS zfXBg4W0k;0Obe;eS%9uqUZ3u$#XBJHHBZJDyB;1&OrOhCdrr#Qs5FH`-pLU>o8y^> zG?|ZEOxlr*)^+uO6oHw0qbSf8@q~a08{m4wln(rz8P7tW2XaMvxLh=jAvt8|>u`K& z3HH_FfS`;B#xDg-HDp9}N2kNy+ZHSYkgFbNkQ64DP!B}r&a2+6eOowQ0KeJQ6)&kR zfnLf4r7zry7b%8}-ZJiS1P2-qm5``|8^uilkp=fzeR4UIpBK}aoJ?9_=%Fw))0Q`e z=z%2Uvh@Yss(!8H*0b|XAEJn1QnvF(`q}TimcMmQfY6k1*py61~KEm2ZboSvv+b(+ybuBwxAI^c6%|d{dIcS;VL4zYBJ^J7cLzqNx zT?FDii{ARifC8iRH4Cg$P-{1-3;N=6ru*rchDn>e7IbO-$u?&T?H-|pg~8y2eku(7 zq#$zmeHOozcCrF7>4-PwA(oU ziQW*ugG>W+>EQ;h8Qs5_;r=Cl!^AYi$Rn}!vD}g4gl5`yiR7SoxYjV^+Wkg#gf+kuC)Z*;$GV0)}E8(5KBCL*z3kn#FDTFP7rxe;~Plok49HieCv=mMrUNGzr@IEDz z%f8=k7g?>VgF7_PzbXbJnV?$+hWcMxy9Ll${gJh6=aDoD=joT~X6KyM1HSx!G|&Ic zAO8~z15ckmUVi-e!7B`p5cS)dt#FIs-(F^hX#+Ust!%z+X$};G_oLzTp8{MB;Hfce zTN}G4Td|h?onncQV#1BMyyNGU26}q2Kxyg)bKK%053*4`TjyD4r5Y#?pwWsZ5VeqZXFe{ zTjFVuYTZc2Z--tFC zegHaM_xKZq4pfdMmx3h_`yFMH1gfnXfacFsLZAwo5J3}saF#PW=~o`{6Q1Q8-nIgn zqw_Kmmm8nQsMh>OpnXF)?y64YPVXCRbMRZ`iI6P@lL;tv|fCz4p-pX6@`DGU4l^5j~LShvygeNAWz zpYCeX(gLO=G)XS`o^JDfp8Jj38Q-3G?tfAO^^!c1G7|^!9;BFSkrIw-6l#cF=E3FlyIHp$Z_|0$x3?;4i10g_7G%dg=m^^rF^K$qqB&J zC3hY_N?g52lah*yzVXW3k$dm#w%clEp;>p5ihdU-K{@iZ=#(Sv9JaNy945JZ;a!Gvxa-qd>~(Yn4cmtoYi2n}n7n(;C3q zd|lgvhe^Q0#0QUP;kTC}TVa&?@6N8}eTtU^jU3hz-KD4R^7v@|EQURmBA~CgS1%_k zRQksqXfI*+wE_*p(l%%K)*Z}YS0_>pFUz6}f^I9@)+hw@OqeA5DCcw^mppkd?T+r@ zYS78lAl`48A$X7~csK`WwF6+q9a1ihyhqrlQW$bAL%bt~e0Tg!fFZQo{Sx6_f)&Oe z!dV;vpx^IZw-XFE(YLnTGh}9d9glCcdL%yfiHt6|6ejJ_mU1Ur5>AxD0(j}@nxef0 z=+BoImeA6Q10iffjxcnC4E&nTop}TAWR))l*W)BaLmu35gVCNEqd4>*?rt70UH6}E zTw4-fO*G_3;Jd-7!*EqoMYq2ciCcUEM|{1X>W#en#syXf4Zfq;4HL`}_`^;ZzO`+q zdLPP3!ch34X9W6AK~gv>7qc1GcieqG0*=pa3zi9X4~R;tSu$-~2`_(Ph>MPG4L*+A z8OI;EoWJq?i+#m2xA;|Ve^Mq^Y2IJOYa?squDDot$z`kBVO$i>2~BV$??o>D{pVJZ zFoN*zs!e(S0`!r8Q!DQlNdl0B5=~MoWlG{Jdwm4sQjP7(E_z4IVeK z`;2gCVAugQ7LE z9~t5NEJo0b%ca2DOpS;H32v|+d%g9Mvc_nIaGNfNf(}G_e2k|&!?O`&Yv8&Cb-E^l zWrmxI&5wujlXU%swaq12B}-RMQM%)q{~|kc@y5$85U%3IR}OiK510TCoX0HJz_Nem z8HIF~9(}N$=3hx!F)GlA8gMg00q1E-Mt}#DcR)Fc=lJ>S_S0rR1TU+~ei-}bdWh70 zg8V=BL+1I3@tBV=Wo!9-d^k@n|EUvzou9}2R-WJ9MTeOE;Ge95Pfg@M(w?Pl$*UB1 z1if9!n5TGxV-r7~pnMO+PK4LMBq7Q|Hi``APSgzLRpwq#Ve~2)3E5Z>uLd6l!@*&o zp_9BvzB9)9A?$cO3z;pb2FhDyp8rQNPDU6$bhG@~|)h?zf#B^I9 zy0+ON0hIgp-Fk?3j{l=u)&%11S)u>d;cV*L1oKd_5ySbCw2;|~^g&Z%R3eO*O#}a8 zB7hfo#It{S`SM>AEqAJ9aM@Briuv;&{--E6JMljI_+!RCn|{bXU6e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a *:first-child {\n margin-top: 0;\n }\n ha-markdown-element > *:last-child {\n margin-bottom: 0;\n }\n ha-markdown-element a {\n color: var(--primary-color);\n }\n ha-markdown-element img {\n max-width: 100%;\n }\n ha-markdown-element code,\n pre {\n background-color: var(--markdown-code-background-color, none);\n border-radius: 3px;\n }\n ha-markdown-element svg {\n background-color: var(--markdown-svg-background-color, none);\n color: var(--markdown-svg-color, none);\n }\n ha-markdown-element code {\n font-size: 85%;\n padding: 0.2em 0.4em;\n }\n ha-markdown-element pre code {\n padding: 0;\n }\n ha-markdown-element pre {\n padding: 16px;\n overflow: auto;\n line-height: 1.45;\n }\n ha-markdown-element h2 {\n font-size: 1.5em;\n font-weight: bold;\n }\n "]);return P=function(){return e},e}function O(){var e=S([""]);return O=function(){return e},e}function j(){var e=S([""]);return j=function(){return e},e}function S(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function D(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function x(e,t){return(x=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function A(e,t){return!t||"object"!==E(t)&&"function"!=typeof t?T(e):t}function T(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function C(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function z(e){return(z=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function R(e){var t,r=B(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function _(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function F(e){return e.decorators&&e.decorators.length}function I(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function M(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function B(e){var t=function(e,t){if("object"!==E(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==E(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===E(t)?t:String(t)}function L(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a *:first-child {\n margin-top: 0;\n }\n ha-markdown-element > *:last-child {\n margin-bottom: 0;\n }\n ha-markdown-element a {\n color: var(--primary-color);\n }\n ha-markdown-element img {\n max-width: 100%;\n }\n ha-markdown-element code,\n pre {\n background-color: var(--markdown-code-background-color, none);\n border-radius: 3px;\n }\n ha-markdown-element svg {\n background-color: var(--markdown-svg-background-color, none);\n color: var(--markdown-svg-color, none);\n }\n ha-markdown-element code {\n font-size: 85%;\n padding: 0.2em 0.4em;\n }\n ha-markdown-element pre code {\n padding: 0;\n }\n ha-markdown-element pre {\n padding: 16px;\n overflow: auto;\n line-height: 1.45;\n }\n ha-markdown-element h2 {\n font-size: 1.5em;\n font-weight: bold;\n }\n "]);return P=function(){return e},e}function O(){var e=S([""]);return O=function(){return e},e}function j(){var e=S([""]);return j=function(){return e},e}function S(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function D(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function x(e,t){return(x=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function A(e,t){return!t||"object"!==E(t)&&"function"!=typeof t?T(e):t}function T(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function C(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function z(e){return(z=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function R(e){var t,r=B(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function _(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function F(e){return e.decorators&&e.decorators.length}function I(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function M(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function B(e){var t=function(e,t){if("object"!==E(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==E(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===E(t)?t:String(t)}function L(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;aS*NgaW==rW~*0dHoKgY z-PLb?T`snwHe3qCh#?B^@~vi>Hj39KpWacGiAteMOgQ{p!LPKxzxh3$hK(6T4DS>( zTO|;!@-UuPm3i1Oxyb(Tu)dM)`FXD0!*HVDhAC>Kx(-_-z|5~?`*LKG0nF3rSW!y> zoNQ}=T~$>-eiojKjgm&%ZP$UevPXyk(Y|L=ck&^Ea3TrCJEI3PG2ZpGqErkYSvr_Ut6YM_wBT)UZQc|J(Ln?$cSxwtEqgmZjtuw0Ov6oZ=y>-xo z_S)*(o1a*13eC)SK{Vek9v@R9iPA6Lym112^QJPy35=Ko_BLI8W*#4N>7eHze~JuF zm3J1DXRa3@_tHc#@b1`mLc9b$vV`v+*n%l0>cG5NahD9_vdhVAPEf!B9PKg2Ml{2T#*;ii<86u{*k`@p!fn~$Jf z`++iui-7P-MK&$1*_sJUrZ&{@`a17^^AQ;GUchj#>6|o7*NSh9RNx)Gu@()hrHh^# zxDd%}mCj)@!m}uXcl?8?%F7ND5zS!Lxp3!tXLf6(q5y4Oo58@*it=EEjw||sh;1E> zallymR3v1BBuH;Gtxo?TF`g0ODp);)WWYBXS}@hJT9 z+YPG?YqE>{g?W)*WJW@`NuqEJI4Tlw)4N?2#`^Go5Iq@wd=%TZb>T3GY#Ipn+0DrB z6kmge@7REo4vDB#7dIHO(HUYK-L?h@8)6eU;1JVMZr^(^!IiDI+GKtM%{KkG(?J30 z$ETZIyVzxI(p-0Oto&xXzG2GcULY&12(pS5gv%h;rtG$%H1FJZB14^gfHU)&d85J3 z)BCsS0*LQ~c1c8KnR;I-`hW}|d}XHU#S1KEYF;t;C#WlNkK0f*d4_JQBvqUZQpNeX ze{hbIJP%4RubY7ZSW2g7K0U|y4~gvCdjaWU!<2dGwF!J$?m>BoRZ9>io+kOtu5d~g z9WEZyJ`j^Y`>1zQB#7zvb4S1Xx5KA!$$jCo#~lxkkEvTNlLB!$USeEF3X;)8GGkT8 zct;sh5#7YW_gBzx8bxN1m`@X8@T^_blN?jXo2 zU3JY$H9f_>wA>%Ff4p*(^E8oJN@GIpXbygB(yTgF)h?+WR1sfdeW5}wiiL|GPhUw_ zX!RLPTz8M9@NN&hb^hRa4}NT!u=N{Jz^u=s9lN7^LbWLDKfKy?f-T{t7rlJ}i-VuN z6#|Q@O?}mAfHsYn=XXKFfQR>zC*zx4tFuO|&pE1VSy|_mrgFdoAJMWop8A!h@P3O) zH&W2erhPz)z|32tDBu?9gn$X_;CjWBj`W>{QofG^r6T>hQtTZ;@{phpW6z0H5;g}2 zWr8q$sbFePjzxDWOPCpp4&<`@83cvN6@-3U-Zkv44Tx6#C)&l2wwspM)Rroq%M9f& z+>RGHhRoX$?qNg&8h4eLP@@^8#T$_o_t|%HHI=Wc%c-19I%epQ8Cqyd8$)!!3AyTQ zL3g5GD7p6JBsq&=Qg`!4`q@vsls|SxfY2r3(7R)#p_5)>Bsc9E)5fcBAjdO?A$<$c71)2IOX55IJQ9}= z8}0pQpJ@htX7YxK*%Kp=*w)8po#>$+OqwWuq4XFKxQK+SW6v#zkUy(+@E zSknzcM+O-J-dO4h?$wnBT!ZH1eNvF+!S!>Jzc2cr5gjzgB(1GY2u-cZb?LBFa~nVWoRAFT)z<;j4&YYg?oHQrX!YP z&ZS@(_+6&9?jU60P+y+fs}T#0mal7KQTTLKlh<}(PGXVd zg74`v-^aQCvU0|iCz1N+2T;$+6CpEmE1nlGJ+vp{LWK5IWIXNs;LFy{BA90+qTci0 zd1qYp&Re6+zx&?KD95*jtTC|l>7lyPBo(I*WPx%W)wRdK z1<@5R4$j9CXi-VVw#lkG4yi}Cqfm+a_EP%Z@}RMl@oi6p?X+WuDuU`ckswhqPir!} zH}qD#az|GUQW#@c^MGWM>!H?$e3K41U9FLXnKcOR^i_J=({^~Z?P;ZNXuT#OGzEz@ z)^Ji>RZ7X8wVHX{frzKk_h&{Cm6KPK*_(O3aLY|b>zZi|%er_6TFT6dWty&IYE20b zR0imkOkVaYBniik*v$9?2^>7Z>=7**myk9X6J`OOI6H@hpQHvxcrgqDVNG)Ih-SXM z6h(tkzM_*gRkw}27ZVRD$8&;4PHhP#n<_nAKT8*#3KFKjCOUDh@rNzQFJo^v3S>XbemKlufLJ-i1Pt>bBrc;7S=Q6W|F zcoNWw1(sDyq+B3r5ca_ohFsB*_QX?G9e+Gw2o3!&5#A_RW&AOmg%KC@9pAQ_V0fQ= zBE?ZS#HhPzp58t7K)m-8nOsFGOuEA@<<7L^jLzc*cnNq-)!hU1C(JX8Xl~g7C$>&U z7+N3$za|(o-y_o}xKGLrY0BBbHw`4ZMj35$g%O^+;y(xI#^wL?a$--O2W00i6h4r$ zWmN0~NSA5;aJLLFqfX<8D*rJIH;U0){Ve$D7aaL^(@?|WzL)@R(GqQ^_B)q z1-po+ns&hI$HY6kH;RddDTGgu;O7GkNL7k0nP86jAGX5qH7jh;h?y{B!T5*@#xk<$ zUJVa9+?Deb>wE6L69V?wUBwE)-aEU&w)l1@qFAIuM${yJ{q5JBodnU`p z+B!Aa1(kQR;SC(fVR>0vO579|K=o&T{Q4`PLtC&xXc_`A!o*aKtgUN=kn=~y*k5RS z%Q^t$irA1v&aUv(IGVqa4Q!lZkR)WN0 zThUBXS|bp(hNF|~j+ zUuJY`WHQlm!6qxlmn#FCieLTud1zNJ$7KT`ejV8lQ}-S|#IR-vKcDxd{CCyZ$6bkG+^ap?7{UyQ(gozVI1&(itR0iDU#pMG}h9}d3x zH;<3VRLoyNUSdpqhqq9SK?yc?{>qsK7&}Gp|BZdSHb58%04TZ&qeO9sK4V0d$DO#G z{ytXa?EU8=@B5w`%K8{Rfn*uh$xbf3ddWp7G`R?sOfJI0Vb)AGTl0_FrT^|Gv?=mor#tAO^zl-KUUvnPAv9w41id;tN<5K|IGai&WVy z$@Ji1-`!-h#;I*fy?82gGs8gs$?m}ShjQw7xr~~_18_kfiXA*%5R{$Y(6}{l!teLv zOBxYF1Ei8XetuYgyri7XaCi*aGD@s@C!|`OzO@&2UTDP%P%zB|9AKq8K7bYJeqW`C z(?k^Owm?r6CA*|;P8eh0jxP8tVtHV*kj_}S}+IJ9nB zhrV*f=9-zeZS!8N%(zy{OiLq6Ij^OaDu|-r!D8)MXfl3#F&bT6`gZG#U4}ZsB>4Pv iU!{1Z%hFC(vxS{oS=LrcU5CK<74ZeThoz@~TL1t^a_$EJ literal 0 HcmV?d00001 diff --git a/supervisor/api/panel/frontend_es5/chunk.6a55e3d79e8e15fe11af.js.map b/supervisor/api/panel/frontend_es5/chunk.6a55e3d79e8e15fe11af.js.map new file mode 100644 index 000000000..4837389ea --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.6a55e3d79e8e15fe11af.js.map @@ -0,0 +1 @@ +{"version":3,"file":"chunk.6a55e3d79e8e15fe11af.js","sources":["webpack:///chunk.6a55e3d79e8e15fe11af.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.gz b/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.gz deleted file mode 100644 index 025f303cfe8e28327de3dcc626ad5efbf4b4d4d6..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 4855 zcmVk8@=o#uEk8RMuL^ z^RP7n%=}8)l@pT`VBU|87LDM*;jRJLRaN!lN8!2HN}+|>b{=RedxRJebv=^}!h0hg zT5Zw%(N8?{|E=qjZM~)PWXbAQTxRm}Q%GJ7(Z?&4#;-JWP6+KXC_FxT>u@iIFdfZf*1CF7ScoSnTGp=?Ae zWSIev=;UN889=x_(ey^2*cm*e4@~V+iXC5`4E8AsB43)F;}!VB49qt*$V)Tb(!~@v zCoNs+(o;SK%qgN-)8_q!xEX?2GPP~%+cLXoMe}|(C97xm!To$gLAzPqwpq=W8QRo0 zL9Ne>S}_^Uttq=)1EtST&19tGgZ7eT>GreJ)Bhe2+C2cMEHCIvNIC`x`p}dEv^<{; zXSPByW7=i5VmEX-n*HU3@g=<}vy-#Yj27E61I9+fMmbaC5}28sxDZ;4O`Lhix)@(m z$@H`|rX6A0u#G_n>rM^x!=^pGX;Lq+?)_3+^GM0i{SKY4o3Oh_3q132uBrOq7h_*X zXbewn8lLh1;`O@r<`LnGE#--6H?2@~S>+^;gTM!;j^Wwf2Lo?FOtRTX!Gax;4ozrjolmq$^semNgV|945cJ_?b4kSV>BMp~$~2 z>56gsR)V0UW>f);y{xZGAfnyTa=1t1uERKDTse$vg^myfvsJq0jmak(W4)H*I^*;@ z`xE4tZ=@6w9{aqOKwqZ(pk?K0QB=PTiR^c)ySp^iN68fL z-r02b?p>upNZ8Is*z0ul5y&bR7J3fZQURZ7syzy+R-bPW#ifp5;N7x+CD<}Mg{(^x zzW+d1R8rmq=JlE>a2UlO>Fk114gzBu426M7W+$22feH{#S6D&OW!@V>qU~E`G3Pt( zRJe>K0U&N^156$Hr&tsr%TWE5Kb zQA=>F!f<(j0j!wI#*3H@oHxScB&adJ)x|+6%b3b}H7@aJtqM_W~ zP40rlqw44aQRk$Z$m#~s;yt~^vwTDKS{OA{Fv9rqTvy(UXkmZJwPd=!XlZ$LNRKUKDb$pH>*$BykfLX*f>5$0ARc+vN8m4+J(Y;Z#Ex5 zJNE-+5ElXAm6AZY($Ed%hD@bv&6@Mv{pJ%eAmGAqZ)!PNQq@Sd)k1=M_TB=~tr51^ zR=@>MUaNEtlL?-A5!~|^Dl0ELOn5YdOBX|&?;n}1kqTo&=Xx}7u%aBSQ0WRk5V2iH zqa87pz7;LymwFwyy-&79N{^3^V$5>9!B{fl)tg%VH=bQkF34l97bZURAmwDll+$V8 zo0~0dG(^2e`D6V!f0Stf@h(XNG2+Qcz)kOVF%^dVGYH=l-`(+D+uC>>L^cbA`({Xs zw~}o@!&h{~i9^CG=>iueCOtrqt#_>k!p7J*4mkL1lH1QePjF?Mozj`#P-okI-0Gmn zapxmju59o$HmT2DAT58p+gwm-gAtGwRs>nahSR37b6vV^C{297b0R}dKERoNL%q>p z>*@X5Yz4$Sp`8+58K%CFvc5$c5Wdzk`S>yBbGfJ}{1ep0yQ5+2O}G;$OUoBDQOfwZ zL90D&Z6Huzo4m%%vfr8hu$<3B%vg}Q_t?dPL^u7x7a-qw0Oin3`t2laE`Y^vYDhGZ zAke;^7}hXsBSYm(9RiTmOwq@!<71QGeLeM+scbwMuJXXdOvm3ywqHC=vp3q9Rc9Z? z1;2+2uZxs!W6wQn984gDU3g_+_&sJjfE@%;rK`?qDQEX_FAVpG>>sY2mU2TDo$btUgCL1IYISMlh}Andcp2%$(2rY{vtb!0+x<8#DdZF3qO$Yzft2nr`> zkPmoaPZEB&@@3(40{nWnZCO*B6zI9kQ2yBNc${O1=#Fp?BO1`OtHeMZ%_uDjh^Uy4 z>Ttdx-c+YEadP6AsmILJg)+2JRF60zXU-Os6a7kxjVI^p-bE3`q;d0F_}Op0l)te? zfY2#nbFsikL6%l{Myn=R4tc7h}W;@7T z_abZOyM?i#kr}t(>O;#cX=<3nAueUtkqNteSZ6xwha3IypdS{cZKKCf)*{GyJO@(N za}H8wAZ3OJ1&&DM=$$tXVUny19*FledFu;<8VIdl(@1&^Vhxk3svn=tR6jjaFlmC< zyj~c4GR4_k*~jB!GZ>A~PsM>xav}pN_|aHnDpi@))T9|lU4@F%cQdX#uq}&qinMKs zZHA%*Tyb`Dmo6#K%Mht07;4#HA+N1GI zgi6@A1rEc#hZhw4bF^3FxrV1#cV{o|o<70w2wuP0(j|5f{_C?sQ>6jMx#P{3 zE!{{!ct7b*KX5QLSYK;RH(PCbvL$uo?iJ6+iJGcxJC}d=D3v5WAr^ zbY-qvQm*w`*H@;~n~&7IKsa-St?7Xf#>J-IB6R48KHyEIp5R`tG++ueC$5u%EDx@q zll%+b2aV{UIVSh+b#0Db_K&5LRKauH(<&bm1X$HO@Fq14|bz%UV|D+HiR*(dbl3;_g zoY}p0^+_&8Q8#V$G8cZA`PbrN$rzn7XMOBjN@OAg2>(e!Rc z?3pFW|Fou2197KOK%H449(1_~PW^kq*-ZLR02B{pQqhs=N_Ut{M}^}9L9DM&%5MfC z3;X)=-n|OZ&}elXi3Q__tD3wq3v&{SBpZD1FY|qz`wx{fzC7{Ne^LPToIDURGrQvB z;-!c7KwOB>9*m6lx*Pbib+ZWO!-=T({7>E)SAFu3`O#A_ae zBTNrhap>O>!!v(=Fgi#o?mv(P%2iZXhk*;CDpm~6#|F>>9on?XvN{Z@2e)oeiTn0a z_}+5RSc>@85pFu|*rD>EdPW3DlrPen%F)_#vzI$(8m zjReeGgW#s`h{rvx!>deBD||!iH3^|9NNi~gC&g8zlytOJ)Z-3BJdD0SGm5CJyq1}{ zkY_8qTxWIDP^Dm*i+7-pSAdV z(gntZ8bJ4)ox{R!Qv)Nc7zY8rCOvpWbKhR_Vu?}iKHWH3!zL#B&pUFwAZY4KgZ;N< zdc1x#Tr(Xeptd*HFZX7t{Es`3U`B7Yk{T+wiyOXt2bGxJnUKQ^v*eN>w6iWxA;72O zB-tl%Cw%Ae;N7%2z6Tgf%TtF~-!>CoAz3k!w3cQZmQ`0s+E8+fun(s&WXp!MD~6bN z_+5Y|b?ATz_hvyW?GNG%jJTlh`POcN;x74Clc8{ov2xQaz18Z0c>gCNx#W_VxZ^Ep zPqoCnUc?RX67cHE-30V!%yWZiVb}pTHf~2K+8_5*FgBsq5cUVml4Q2h!>nL1CWEeL15a0 z9DX#AtF^fP+Pdp#Z@dn%JXX~G5e?n6QHxkn~nCu3=IfOiJ3)TG6+DcYUzHhGh;@s-o4KaNi#f5&H;E zL9Bu1WS%rOmcVHrn$L4bB?R7@e_!(@1XTd45XI)?n=go>(xo#Pa?yFe6;hv-nwZ}w zrR*Fys#JYRzgpLv(>8>lKHO0dqO>2#gYfLt#uerI*Gy^3sf0?#ZTC|45mLCjKLKBh zfi`PhV+VHT=wQoI5yMs4kZrBk<*utnhYWUjzUYYGPqr0uk41=>h6eYYzRBYoJZq`W zR`%O5r&(F;!k3EXgcTID+`)^@IMo|d-4boIyqlhxscU9F7;7-dSkdgXTvcp#A!+@7 zW(UqnIS&{B{`_>Ys5YL;@M+Hqd_Udu!~p59f3`TCdkS+CUy}_bL&+YrYg^h58T~O- z6vY+~AU!Jw8kb(r{fdowa0G_#h z{uM&{BB`xfg9S}AWM1KKg){+k;ufUCF7mlthH(1vb2R5sT=Vy&NqX=yuOZv|^q{QE z*r1L$F&|9A53{n^qS}OysuJN23xbC^quSfp_T0rbX~Pq!JKq186zOf;Y}vP_bgNC3 z;0~P3jA7HEIfW{LvX`-@@QNHPNOsJYK1|O+!gCi$hqVEu`k(*D&-FM=?o-sES%Z#av3!Uv0HT_$j z09^I;g^5s>+I65{u6ybsJ7R)lm5iLhh;58wAL&~hpCEyBiSfeqg`LB(wEp;4$UjgA z#mKP^2Rk8Q$OXj61_P(E=%X$y^0dx5m^HXn8s7rZUj8m@YHy>wgALta#c2$f%fbW( zicLMT7=6m`%LrP)CV2I!-m9o_8{JKAk;dCTVEW?2ZwP@iBDoFauU}#0{{JLt^J1F8`($$NL=Hl7Y d7tdZ^G-uCW(O0jEpOq2h{{b%KDvVh=001|ma;E?Q diff --git a/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.map b/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.map deleted file mode 100644 index 8fce79bd5..000000000 --- a/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"chunk.7ef6bcb43647bc158e88.js","sources":["webpack:///chunk.7ef6bcb43647bc158e88.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js b/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js similarity index 98% rename from supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js rename to supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js index 13b1fa6f5..af0c660e0 100644 --- a/supervisor/api/panel/frontend_es5/chunk.7ef6bcb43647bc158e88.js +++ b/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js @@ -1,2 +1,2 @@ -(self.webpackJsonp=self.webpackJsonp||[]).push([[3],{163:function(e,t,r){"use strict";r.r(t);var n=r(0),i=r(101),o=(r(166),r(12)),a=r(27);function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function c(){var e=p(['\n ha-paper-dialog {\n min-width: 350px;\n font-size: 14px;\n border-radius: 2px;\n }\n app-toolbar {\n margin: 0;\n padding: 0 16px;\n color: var(--primary-text-color);\n background-color: var(--secondary-background-color);\n }\n app-toolbar [main-title] {\n margin-left: 16px;\n }\n paper-checkbox {\n display: block;\n margin: 4px;\n }\n @media all and (max-width: 450px), all and (max-height: 500px) {\n ha-paper-dialog {\n max-height: 100%;\n }\n ha-paper-dialog::before {\n content: "";\n position: fixed;\n z-index: -1;\n top: 0px;\n left: 0px;\n right: 0px;\n bottom: 0px;\n background-color: inherit;\n }\n app-toolbar {\n color: var(--text-primary-color);\n background-color: var(--primary-color);\n }\n ha-markdown {\n padding: 16px;\n }\n }\n ']);return c=function(){return e},e}function l(){var e=p(["\n \n \n \n "]);return l=function(){return e},e}function u(){var e=p([""]);return u=function(){return e},e}function p(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function f(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function d(e,t){return(d=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function h(e,t){return!t||"object"!==s(t)&&"function"!=typeof t?m(e):t}function m(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function y(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function v(e){return(v=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function b(e){var t,r=x(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function g(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function w(e){return e.decorators&&e.decorators.length}function k(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function E(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function x(e){var t=function(e,t){if("object"!==s(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==s(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===s(t)?t:String(t)}function O(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a"object"==typeof e&&null!==e||"function"==typeof e,c=new Map([["proxy",{canHandle:e=>s(e)&&e[n],serialize(e){const{port1:t,port2:r}=new MessageChannel;return function e(t,r=self){r.addEventListener("message",(function i(o){if(!o||!o.data)return;const{id:s,type:c,path:u}=Object.assign({path:[]},o.data),p=(o.data.argumentList||[]).map(m);let f;try{const r=u.slice(0,-1).reduce((e,t)=>e[t],t),i=u.reduce((e,t)=>e[t],t);switch(c){case 0:f=i;break;case 1:r[u.slice(-1)[0]]=m(o.data.value),f=!0;break;case 2:f=i.apply(r,p);break;case 3:f=function(e){return Object.assign(e,{[n]:!0})}(new i(...p));break;case 4:{const{port1:r,port2:n}=new MessageChannel;e(t,n),f=function(e,t){return d.set(e,t),e}(r,[r])}break;case 5:f=void 0}}catch(y){f={value:y,[a]:0}}Promise.resolve(f).catch(e=>({value:e,[a]:0})).then(e=>{const[t,n]=h(e);r.postMessage(Object.assign(Object.assign({},t),{id:s}),n),5===c&&(r.removeEventListener("message",i),l(r))})})),r.start&&r.start()}(e,t),[r,[r]]},deserialize:e=>(e.start(),u(e))}],["throw",{canHandle:e=>s(e)&&a in e,serialize({value:e}){let t;return t=e instanceof Error?{isError:!0,value:{message:e.message,name:e.name,stack:e.stack}}:{isError:!1,value:e},[t,[]]},deserialize(e){if(e.isError)throw Object.assign(new Error(e.value.message),e.value);throw e.value}}]]);function l(e){(function(e){return"MessagePort"===e.constructor.name})(e)&&e.close()}function u(e,t){return function e(t,r=[],n=function(){}){let a=!1;const s=new Proxy(n,{get(n,i){if(p(a),i===o)return()=>y(t,{type:5,path:r.map(e=>e.toString())}).then(()=>{l(t),a=!0});if("then"===i){if(0===r.length)return{then:()=>s};const e=y(t,{type:0,path:r.map(e=>e.toString())}).then(m);return e.then.bind(e)}return e(t,[...r,i])},set(e,n,i){p(a);const[o,s]=h(i);return y(t,{type:1,path:[...r,n].map(e=>e.toString()),value:o},s).then(m)},apply(n,o,s){p(a);const c=r[r.length-1];if(c===i)return y(t,{type:4}).then(m);if("bind"===c)return e(t,r.slice(0,-1));const[l,u]=f(s);return y(t,{type:2,path:r.map(e=>e.toString()),argumentList:l},u).then(m)},construct(e,n){p(a);const[i,o]=f(n);return y(t,{type:3,path:r.map(e=>e.toString()),argumentList:i},o).then(m)}});return s}(e,[],t)}function p(e){if(e)throw new Error("Proxy has been released and is not useable")}function f(e){const t=e.map(h);return[t.map(e=>e[0]),(r=t.map(e=>e[1]),Array.prototype.concat.apply([],r))];var r}const d=new WeakMap;function h(e){for(const[t,r]of c)if(r.canHandle(e)){const[n,i]=r.serialize(e);return[{type:3,name:t,value:n},i]}return[{type:0,value:e},d.get(e)||[]]}function m(e){switch(e.type){case 3:return c.get(e.name).deserialize(e.value);case 0:return e.value}}function y(e,t,r){return new Promise(n=>{const i=new Array(4).fill(0).map(()=>Math.floor(Math.random()*Number.MAX_SAFE_INTEGER).toString(16)).join("-");e.addEventListener("message",(function t(r){r.data&&r.data.id&&r.data.id===i&&(e.removeEventListener("message",t),n(r.data))})),e.start&&e.start(),e.postMessage(Object.assign({id:i},t),r)})}}}]); -//# sourceMappingURL=chunk.7ef6bcb43647bc158e88.js.map \ No newline at end of file +(self.webpackJsonp=self.webpackJsonp||[]).push([[3],{162:function(e,t,r){"use strict";r.r(t);var n=r(0),i=r(101),o=(r(165),r(12)),a=r(27);function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function c(){var e=p(['\n ha-paper-dialog {\n min-width: 350px;\n font-size: 14px;\n border-radius: 2px;\n }\n app-toolbar {\n margin: 0;\n padding: 0 16px;\n color: var(--primary-text-color);\n background-color: var(--secondary-background-color);\n }\n app-toolbar [main-title] {\n margin-left: 16px;\n }\n paper-checkbox {\n display: block;\n margin: 4px;\n }\n @media all and (max-width: 450px), all and (max-height: 500px) {\n ha-paper-dialog {\n max-height: 100%;\n }\n ha-paper-dialog::before {\n content: "";\n position: fixed;\n z-index: -1;\n top: 0px;\n left: 0px;\n right: 0px;\n bottom: 0px;\n background-color: inherit;\n }\n app-toolbar {\n color: var(--text-primary-color);\n background-color: var(--primary-color);\n }\n ha-markdown {\n padding: 16px;\n }\n }\n ']);return c=function(){return e},e}function l(){var e=p(["\n \n \n \n "]);return l=function(){return e},e}function u(){var e=p([""]);return u=function(){return e},e}function p(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function f(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function d(e,t){return(d=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function h(e,t){return!t||"object"!==s(t)&&"function"!=typeof t?m(e):t}function m(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function y(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function v(e){return(v=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function b(e){var t,r=x(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function g(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function w(e){return e.decorators&&e.decorators.length}function k(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function E(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function x(e){var t=function(e,t){if("object"!==s(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==s(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===s(t)?t:String(t)}function O(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a"object"==typeof e&&null!==e||"function"==typeof e,c=new Map([["proxy",{canHandle:e=>s(e)&&e[n],serialize(e){const{port1:t,port2:r}=new MessageChannel;return function e(t,r=self){r.addEventListener("message",(function i(o){if(!o||!o.data)return;const{id:s,type:c,path:u}=Object.assign({path:[]},o.data),p=(o.data.argumentList||[]).map(m);let f;try{const r=u.slice(0,-1).reduce((e,t)=>e[t],t),i=u.reduce((e,t)=>e[t],t);switch(c){case 0:f=i;break;case 1:r[u.slice(-1)[0]]=m(o.data.value),f=!0;break;case 2:f=i.apply(r,p);break;case 3:f=function(e){return Object.assign(e,{[n]:!0})}(new i(...p));break;case 4:{const{port1:r,port2:n}=new MessageChannel;e(t,n),f=function(e,t){return d.set(e,t),e}(r,[r])}break;case 5:f=void 0}}catch(y){f={value:y,[a]:0}}Promise.resolve(f).catch(e=>({value:e,[a]:0})).then(e=>{const[t,n]=h(e);r.postMessage(Object.assign(Object.assign({},t),{id:s}),n),5===c&&(r.removeEventListener("message",i),l(r))})})),r.start&&r.start()}(e,t),[r,[r]]},deserialize:e=>(e.start(),u(e))}],["throw",{canHandle:e=>s(e)&&a in e,serialize({value:e}){let t;return t=e instanceof Error?{isError:!0,value:{message:e.message,name:e.name,stack:e.stack}}:{isError:!1,value:e},[t,[]]},deserialize(e){if(e.isError)throw Object.assign(new Error(e.value.message),e.value);throw e.value}}]]);function l(e){(function(e){return"MessagePort"===e.constructor.name})(e)&&e.close()}function u(e,t){return function e(t,r=[],n=function(){}){let a=!1;const s=new Proxy(n,{get(n,i){if(p(a),i===o)return()=>y(t,{type:5,path:r.map(e=>e.toString())}).then(()=>{l(t),a=!0});if("then"===i){if(0===r.length)return{then:()=>s};const e=y(t,{type:0,path:r.map(e=>e.toString())}).then(m);return e.then.bind(e)}return e(t,[...r,i])},set(e,n,i){p(a);const[o,s]=h(i);return y(t,{type:1,path:[...r,n].map(e=>e.toString()),value:o},s).then(m)},apply(n,o,s){p(a);const c=r[r.length-1];if(c===i)return y(t,{type:4}).then(m);if("bind"===c)return e(t,r.slice(0,-1));const[l,u]=f(s);return y(t,{type:2,path:r.map(e=>e.toString()),argumentList:l},u).then(m)},construct(e,n){p(a);const[i,o]=f(n);return y(t,{type:3,path:r.map(e=>e.toString()),argumentList:i},o).then(m)}});return s}(e,[],t)}function p(e){if(e)throw new Error("Proxy has been released and is not useable")}function f(e){const t=e.map(h);return[t.map(e=>e[0]),(r=t.map(e=>e[1]),Array.prototype.concat.apply([],r))];var r}const d=new WeakMap;function h(e){for(const[t,r]of c)if(r.canHandle(e)){const[n,i]=r.serialize(e);return[{type:3,name:t,value:n},i]}return[{type:0,value:e},d.get(e)||[]]}function m(e){switch(e.type){case 3:return c.get(e.name).deserialize(e.value);case 0:return e.value}}function y(e,t,r){return new Promise(n=>{const i=new Array(4).fill(0).map(()=>Math.floor(Math.random()*Number.MAX_SAFE_INTEGER).toString(16)).join("-");e.addEventListener("message",(function t(r){r.data&&r.data.id&&r.data.id===i&&(e.removeEventListener("message",t),n(r.data))})),e.start&&e.start(),e.postMessage(Object.assign({id:i},t),r)})}}}]); +//# sourceMappingURL=chunk.a63a1818bc60b94648e9.js.map \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.gz b/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.gz new file mode 100644 index 0000000000000000000000000000000000000000..0b08f670d849a7b9296cb4acd15504a455af3529 GIT binary patch literal 4854 zcmVe_x%xo~zO9Z%?(gRdTx@r0jpp;` z3$mZSdRDG>ywOZ>M2RL6@AI9anbMLqI-kixB8_L)waj=W(F79)Khwz+6Hy^}di4?$ z_<4pgsbS{X|KeEym?=c@UQ)f29H}Y~<9Su-yDb%~><@RF3(=mQ=E^=CP83X2S!*HB z!`28e^DAjrj!aU3`7kDpDFe;Ewky1 zgSiVKmjF}NOSV&G_G~cS#m9QPJ<~$87qvXVT+2(w%WN_LyRDZ?#xG$wo4z_g*@#xi zG6Npb+1XYyfN*!F>8(DqGk8cJnA)WjJH9*{>{Ap(zBD@zSK#+EFyGW5FU@pI7h~L< zwRELRPx%-yr-)`vo2v_PI|Q+0YTMR#Wp>eu=4v)3s}~Q!{cJ-)yII|~SN;ImzQ-v8J^lG#z~tr(dTm7T&zfjYXm_+6?$NmGFpd~k4kKHk6GXvmm9BYX@`=V+ucf%jIK9dK z2s!3!DTPG&mo?`?XN?UYS<}`^WwnCGKCdOvmnlDJS$SF%)o(*0`|axfK27yeGR3=h zHr>5@S7{IuwzCoTI$eDNvdV>po6%(MYa`r1Ocy!7j^pTh+$zrf=;dH^w5W=Pa(_R% z3l<+#M;C}XC)Gq&w}=*3^bXJR4b^L5)KI|)H4Cj<;jGA99Had zC&N4CyAAbk)2_^ch#@E#2!P(ZSsiXxAF+AGXq&KcdWrzR;ikyS5Wu7hh4tQSK7w}c z2g)EW0>UdLfpVpx8_ErtO4ph-=ehgMM_@p}h2h@RaE zfU)$gXeqzc>$vSI*%m21Jw1sr%kc(d$%t2PYV}`xc0suykGWo$_|SutqY+b%r-83; zx3tj^^`7KU_0#-GrUk^iBn`xfCnEv3z1zi981l~`d{caX&v$KW<8ct#ED-LSAuZlY zwgC-a(*sT%5?)CcxF|8{0fKD3Yc&vdh>hcbgU?2}{p_;@SGL(Ho%s!Qw(ZBQ4vHLi zKC3|nu)oj6%qzMzp(#>Wj> z?P+TRf%?kiHD;Fm*7S$vd>&%Pg3P_gE*2!Z>G!?>`Pu_0hi1}mCt-5|EPh=>qKO27 z_VviHhG82SDrf2tfUIVUK5m_!n*8qTsV_}sN92PS4Z{zkI>;&Gb2(Z;Mg`yej( z16+7rq;wm5?pfnt0wL_eD+9ytG1~#`Ac!hmbxun;dx(2sxIbq9c;zVPX@E48#z5_8 z4!)|>Xg!nFKFLY4h%Yg3$q?gWLiFS5D{%?DkBt1>J(k=D2jFe2lD;!cn7V*SVAjWH z$L=VfPzG`H53BZ0uqC|oqBk#Kaq!a_A*IYSek9t}O7tN3?8)XMUwFyx(HtMhfUs+dCu)%-m{O18$y9aF{R-uGUnlNZ(1Q zQTsShO46?@d1na{LxR4HM_&eEpFIu`iUeW$Qo&S5Mnrdbju@~R7?;cN=| zfEV^8;kPSa7LF&tuXfv(HML2Bp34m7PwkGUIfjVt2=_3e0gby#4Ajw#(xQNfiutGx z=NsZpHJORCGsjGQ$V^=*LmNf)0VibYY(Y8EucX*`a=z+a6j4kXH?M`C{l-iAYik4u zO$eKd1x5<8w8Ar5HNkSoBNnUya8MY?+RG;nIoetS%;GUhX`^U%!1L~P>!mQ;LGF4G zSv%h?j13)_aSN_Kw9JyGhDjXaQg$5~vCGGGrlWqi(GL&$VNu#PdJJVPf~*hcK+1Z~ zLCOrI%Qna`o1w4&lsA7($qK3f2=Qw?;!I?Tz=TVb))@@9`-Nk8z#CVS{$*hj`>auCl=GD zN+bu#!BeX*rr-w9$rxquN7a0fFBpD0xN}xJyMt3k6F{CYl#}vzGkH#|* zDq-IiI1CRSUQq1M(LN<-)4twzn~c=u!Tk%!Usi*Wg4Y`giu!fEwHu(a`U7=)&l7GW zF7waj<<1(bU--%Yq4V-j?EZVqH9UQKKYexo{27Kv@cPY`F0q5~U!N43Dh)8s9dEvD z=?(;h_oMFgJqJ^R^|jV?v(=_2TT(~?`)AbBkL6KLU|&A|5qW|Bp$P7Hwa9~45w3XplGM=UzAIEB?*d<5%jxZduPGU~y4^oq42}6)~$pJYf8sE)` zJ+mbFAJ;T$Anr5@s548%qb?W0sedgvn@Rrxfa0-CDmpS==?;_WLE-pF5bNuc^6Np! z!oI$IaIZo%G+JFpV!`cI|d0_T~b0W-&%q0P5Vlw4p$hYb|BmF38B_jt<6dkPK?f79|1 zc%~Kax_GmDD9WR=h?FFA9zTj)KFzbH=1=;3`O#A_ae zBTNrhap>O>!!v(=aBz@RJbWMvl&h$&4g(iNRje4Cj}4#&I<#q%Wpx}F*1ke49k9B( zK>}uOKyc%C#D_ht!>deBD||!iH3^|9NNi~gC&g8zlytOJ)Z-3BJdVCUGm5CJyq1}{ zkY_8qTxWIDP^Dm*i+7-pSAdV z(gntZ8bA-6ox{R!QUfEbI1B=QO?vQ%=Dxk;#S)|3eY$bBhD}WLpLgVVLD1Nj2K#Ty z^mzSbxMn;|Ky7cXUmna-`5$&5!HnK+B{fuV7dL$Q4k|IbGa-i;X2~T%XlGrXLV!=l zNwQDkPWaB_(YtALd=D^|mZuJ}zHKJFLb75cX)Vn-EUT`Ow4vkd*lb?#+T$+8@Lj7;!=0^R3+k#a;5PCPU#EW96n*qzamQQI zo@$ACy@(s&CE(SSy9wyenCAx3!mtBwY}}4ev_Tqvbuekx!8=)&^T8E4i5^i#lU!r8 zueFv8Y7l!rj~BKB$c=&KgX@Wod>Fg{!G3%A&w=otL;V9lE+de45HC1g1|UawgTS;0 zIs9lKS8H+em37yHz41E4@>o&#OYD%RxuW684SOmoF!yn6_S>-s(0ObD#)A|~%9m6= z$Z3{BIqzk)!l*^qQy-}yegP|LjO?Vb2@?6nDZ}OxJI7@TbcZmGgxcoKHOS!eUc&mW zrRqU?=Mct8UDTw9+F;ZG)J4}VOw`~&T1Td@UcK*w>?P79uX8eTGra3Cp4sS-asMSV zd`KoXE#p@vs@>k@n6RT6kn~nCu3=IfO-kC*TG6+DcYUJ*1XTd45XI)?n=go>(xo#Pa?yFe6;e-2P0a7J zQg#j;RjR(EU#@G;X&XXNAMPj!QQ8mWL3s9R(7Ebg*Tqh~cVi$hOw&a@SP{hYWUjzUYYGPqr0uk41=>h6eYYzRBYoJZq`W zR`%O5r&(F;!k3EXgcTID+`)^@IMo|d-4boIyc?gHsT*cK7;7-dSkY`!t|~UWkhH#< z*@0;(=K%x2pHCKxYU8O4pZ2W4_tQPk43Pf%XN%Lh=P)<&HQ7)ylTFV%nhZZA3ZJ$Mg3hF?SN#{yL1Vvmq4@+(f$LwJE*Y3M{0Kj z(pm{q;1wIDC`ej~_L`y<|So=ED-}`s2=8o686q-L;oShxf*!b*u^opTpX+?tIUbeK670?b~}sN?Q0Q z!t0HBH9sa8H&^gtf4i=X0H!1$CLr+n0c-y1gBE_hFEWQRH`ZlmVVwmQNWjDo;F;U! zUm>I~lG>^@SkOpA<`w={NE0weZb3TiBA?4;2&W%EM{_=iYyO@zNe^D;HDp_#9+Y(% z8`Kde=7UN2VOADfRGaWoRU+JBLGUnVRC^oSUb@&OZFmB8$NL|XBE5~9E&JA#Zndcr z+<}vsF>E?C6L^xoob-tHW<_cCs?O6%tB85>A(%Ju17JH)T$tvQ`X0#%Xbz!85(XYm zTokaZ8@?UZxgg3oChK8EBBqWA2ZAp~Y4H{(0DMnXM?%#Lz*A&dQ^~pPFNSR+-B>9d z;eHXBv;sA(8G$x9VNRyWAu!aE-J)6{HNw!d$D~TqtW>rg*(D4GW3>_-$d3_W(D4y; z&p#X;>xhWxx*nJ^p=!Pue5Ae&j+}IfzC*M|Zax)v---Kr#@tjaGo~^wbhcB}^ly0r zaMjlrCPG|w55ww6!@aj{&S5f0Ox|`f0jkkTk^u>qY5CUgJau>>9zrx7Jr(48B3e8y3 zhrYnYinT48xYEhQkza$Y6{}W&1nr{)d5I0e|KmOnEq?v^U*G-V^KZU>_x*4F`1QA6 z{~kwcoW8=i_(?F1@-uT}@L@%wMuuWrE1jOY--0cZN8{O$t?7HRwZ?=aw+Y*XO+&(t zd6+&@G?)T`*-}B8j1LJ3&;H|+PyRDgVka94Mz#ee|MdG`Rn2+_MST70c|HAf`sqdU cYI5<57q4D?N`F!Oq>Lc{A5$zEmRULg08pu5)c^nh literal 0 HcmV?d00001 diff --git a/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.map b/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.map new file mode 100644 index 000000000..6964c8404 --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.a63a1818bc60b94648e9.js.map @@ -0,0 +1 @@ +{"version":3,"file":"chunk.a63a1818bc60b94648e9.js","sources":["webpack:///chunk.a63a1818bc60b94648e9.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js b/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js similarity index 99% rename from supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js rename to supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js index 545c87ec5..482160fa4 100644 --- a/supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js +++ b/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js @@ -1,3 +1,3 @@ -/*! For license information please see chunk.1f998a3d7e32b7b3c45c.js.LICENSE.txt */ -(self.webpackJsonp=self.webpackJsonp||[]).push([[9],{167:function(t,e,i){"use strict";i.d(e,"a",(function(){return c}));const n=Symbol("Comlink.proxy"),r=Symbol("Comlink.endpoint"),a=Symbol("Comlink.releaseProxy"),o=Symbol("Comlink.thrown"),s=t=>"object"==typeof t&&null!==t||"function"==typeof t,l=new Map([["proxy",{canHandle:t=>s(t)&&t[n],serialize(t){const{port1:e,port2:i}=new MessageChannel;return function t(e,i=self){i.addEventListener("message",(function r(a){if(!a||!a.data)return;const{id:s,type:l,path:c}=Object.assign({path:[]},a.data),h=(a.data.argumentList||[]).map(d);let f;try{const i=c.slice(0,-1).reduce((t,e)=>t[e],e),r=c.reduce((t,e)=>t[e],e);switch(l){case 0:f=r;break;case 1:i[c.slice(-1)[0]]=d(a.data.value),f=!0;break;case 2:f=r.apply(i,h);break;case 3:f=function(t){return Object.assign(t,{[n]:!0})}(new r(...h));break;case 4:{const{port1:i,port2:n}=new MessageChannel;t(e,n),f=function(t,e){return m.set(t,e),t}(i,[i])}break;case 5:f=void 0}}catch(g){f={value:g,[o]:0}}Promise.resolve(f).catch(t=>({value:t,[o]:0})).then(t=>{const[e,n]=p(t);i.postMessage(Object.assign(Object.assign({},e),{id:s}),n),5===l&&(i.removeEventListener("message",r),u(i))})})),i.start&&i.start()}(t,e),[i,[i]]},deserialize:t=>(t.start(),c(t))}],["throw",{canHandle:t=>s(t)&&o in t,serialize({value:t}){let e;return e=t instanceof Error?{isError:!0,value:{message:t.message,name:t.name,stack:t.stack}}:{isError:!1,value:t},[e,[]]},deserialize(t){if(t.isError)throw Object.assign(new Error(t.value.message),t.value);throw t.value}}]]);function u(t){(function(t){return"MessagePort"===t.constructor.name})(t)&&t.close()}function c(t,e){return function t(e,i=[],n=function(){}){let o=!1;const s=new Proxy(n,{get(n,r){if(h(o),r===a)return()=>g(e,{type:5,path:i.map(t=>t.toString())}).then(()=>{u(e),o=!0});if("then"===r){if(0===i.length)return{then:()=>s};const t=g(e,{type:0,path:i.map(t=>t.toString())}).then(d);return t.then.bind(t)}return t(e,[...i,r])},set(t,n,r){h(o);const[a,s]=p(r);return g(e,{type:1,path:[...i,n].map(t=>t.toString()),value:a},s).then(d)},apply(n,a,s){h(o);const l=i[i.length-1];if(l===r)return g(e,{type:4}).then(d);if("bind"===l)return t(e,i.slice(0,-1));const[u,c]=f(s);return g(e,{type:2,path:i.map(t=>t.toString()),argumentList:u},c).then(d)},construct(t,n){h(o);const[r,a]=f(n);return g(e,{type:3,path:i.map(t=>t.toString()),argumentList:r},a).then(d)}});return s}(t,[],e)}function h(t){if(t)throw new Error("Proxy has been released and is not useable")}function f(t){const e=t.map(p);return[e.map(t=>t[0]),(i=e.map(t=>t[1]),Array.prototype.concat.apply([],i))];var i}const m=new WeakMap;function p(t){for(const[e,i]of l)if(i.canHandle(t)){const[n,r]=i.serialize(t);return[{type:3,name:e,value:n},r]}return[{type:0,value:t},m.get(t)||[]]}function d(t){switch(t.type){case 3:return l.get(t.name).deserialize(t.value);case 0:return t.value}}function g(t,e,i){return new Promise(n=>{const r=new Array(4).fill(0).map(()=>Math.floor(Math.random()*Number.MAX_SAFE_INTEGER).toString(16)).join("-");t.addEventListener("message",(function e(i){i.data&&i.data.id&&i.data.id===r&&(t.removeEventListener("message",e),n(i.data))})),t.start&&t.start(),t.postMessage(Object.assign({id:r},e),i)})}},168:function(t,e){var i,n,r;n={},r={},function(t,e){function i(){this._delay=0,this._endDelay=0,this._fill="none",this._iterationStart=0,this._iterations=1,this._duration=0,this._playbackRate=1,this._direction="normal",this._easing="linear",this._easingFunction=f}function n(){return t.isDeprecated("Invalid timing inputs","2016-03-02","TypeError exceptions will be thrown instead.",!0)}function r(e,n,r){var a=new i;return n&&(a.fill="both",a.duration="auto"),"number"!=typeof e||isNaN(e)?void 0!==e&&Object.getOwnPropertyNames(e).forEach((function(i){if("auto"!=e[i]){if(("number"==typeof a[i]||"duration"==i)&&("number"!=typeof e[i]||isNaN(e[i])))return;if("fill"==i&&-1==c.indexOf(e[i]))return;if("direction"==i&&-1==h.indexOf(e[i]))return;if("playbackRate"==i&&1!==e[i]&&t.isDeprecated("AnimationEffectTiming.playbackRate","2014-11-28","Use Animation.playbackRate instead."))return;a[i]=e[i]}})):a.duration=e,a}function a(t,e,i,n){return t<0||t>1||i<0||i>1?f:function(r){function a(t,e,i){return 3*t*(1-i)*(1-i)*i+3*e*(1-i)*i*i+i*i*i}if(r<=0){var o=0;return t>0?o=e/t:!e&&i>0&&(o=n/i),o*r}if(r>=1){var s=0;return i<1?s=(n-1)/(i-1):1==i&&t<1&&(s=(e-1)/(t-1)),1+s*(r-1)}for(var l=0,u=1;l=1)return 1;var n=1/t;return(i+=e*n)-i%n}}function s(t){_||(_=document.createElement("div").style),_.animationTimingFunction="",_.animationTimingFunction=t;var e=_.animationTimingFunction;if(""==e&&n())throw new TypeError(t+" is not a valid value for easing");return e}function l(t){if("linear"==t)return f;var e=v.exec(t);if(e)return a.apply(this,e.slice(1).map(Number));var i=b.exec(t);if(i)return o(Number(i[1]),d);var n=w.exec(t);return n?o(Number(n[1]),{start:m,middle:p,end:d}[n[2]]):g[t]||f}function u(t,e,i){if(null==e)return x;var n=i.delay+t+i.endDelay;return e=Math.min(i.delay+t,n)?E:A}var c="backwards|forwards|both|none".split("|"),h="reverse|alternate|alternate-reverse".split("|"),f=function(t){return t};i.prototype={_setMember:function(e,i){this["_"+e]=i,this._effect&&(this._effect._timingInput[e]=i,this._effect._timing=t.normalizeTimingInput(this._effect._timingInput),this._effect.activeDuration=t.calculateActiveDuration(this._effect._timing),this._effect._animation&&this._effect._animation._rebuildUnderlyingAnimation())},get playbackRate(){return this._playbackRate},set delay(t){this._setMember("delay",t)},get delay(){return this._delay},set endDelay(t){this._setMember("endDelay",t)},get endDelay(){return this._endDelay},set fill(t){this._setMember("fill",t)},get fill(){return this._fill},set iterationStart(t){if((isNaN(t)||t<0)&&n())throw new TypeError("iterationStart must be a non-negative number, received: "+t);this._setMember("iterationStart",t)},get iterationStart(){return this._iterationStart},set duration(t){if("auto"!=t&&(isNaN(t)||t<0)&&n())throw new TypeError("duration must be non-negative or auto, received: "+t);this._setMember("duration",t)},get duration(){return this._duration},set direction(t){this._setMember("direction",t)},get direction(){return this._direction},set easing(t){this._easingFunction=l(s(t)),this._setMember("easing",t)},get easing(){return this._easing},set iterations(t){if((isNaN(t)||t<0)&&n())throw new TypeError("iterations must be non-negative, received: "+t);this._setMember("iterations",t)},get iterations(){return this._iterations}};var m=1,p=.5,d=0,g={ease:a(.25,.1,.25,1),"ease-in":a(.42,0,1,1),"ease-out":a(0,0,.58,1),"ease-in-out":a(.42,0,.58,1),"step-start":o(1,m),"step-middle":o(1,p),"step-end":o(1,d)},_=null,y="\\s*(-?\\d+\\.?\\d*|-?\\.\\d+)\\s*",v=new RegExp("cubic-bezier\\("+y+","+y+","+y+","+y+"\\)"),b=/steps\(\s*(\d+)\s*\)/,w=/steps\(\s*(\d+)\s*,\s*(start|middle|end)\s*\)/,x=0,T=1,E=2,A=3;t.cloneTimingInput=function(t){if("number"==typeof t)return t;var e={};for(var i in t)e[i]=t[i];return e},t.makeTiming=r,t.numericTimingToObject=function(t){return"number"==typeof t&&(t=isNaN(t)?{duration:0}:{duration:t}),t},t.normalizeTimingInput=function(e,i){return r(e=t.numericTimingToObject(e),i)},t.calculateActiveDuration=function(t){return Math.abs(function(t){return 0===t.duration||0===t.iterations?0:t.duration*t.iterations}(t)/t.playbackRate)},t.calculateIterationProgress=function(t,e,i){var n=u(t,e,i),r=function(t,e,i,n,r){switch(n){case T:return"backwards"==e||"both"==e?0:null;case A:return i-r;case E:return"forwards"==e||"both"==e?t:null;case x:return null}}(t,i.fill,e,n,i.delay);if(null===r)return null;var a=function(t,e,i,n,r){var a=r;return 0===t?e!==T&&(a+=i):a+=n/t,a}(i.duration,n,i.iterations,r,i.iterationStart),o=function(t,e,i,n,r,a){var o=t===1/0?e%1:t%1;return 0!==o||i!==E||0===n||0===r&&0!==a||(o=1),o}(a,i.iterationStart,n,i.iterations,r,i.duration),s=function(t,e,i,n){return t===E&&e===1/0?1/0:1===i?Math.floor(n)-1:Math.floor(n)}(n,i.iterations,o,a),l=function(t,e,i){var n=t;if("normal"!==t&&"reverse"!==t){var r=e;"alternate-reverse"===t&&(r+=1),n="normal",r!==1/0&&r%2!=0&&(n="reverse")}return"normal"===n?i:1-i}(i.direction,s,o);return i._easingFunction(l)},t.calculatePhase=u,t.normalizeEasing=s,t.parseEasingFunction=l}(i={}),function(t,e){function i(t,e){return t in l&&l[t][e]||e}function n(t,e,n){if(!function(t){return"display"===t||0===t.lastIndexOf("animation",0)||0===t.lastIndexOf("transition",0)}(t)){var r=a[t];if(r)for(var s in o.style[t]=e,r){var l=r[s],u=o.style[l];n[l]=i(l,u)}else n[t]=i(t,e)}}function r(t){var e=[];for(var i in t)if(!(i in["easing","offset","composite"])){var n=t[i];Array.isArray(n)||(n=[n]);for(var r,a=n.length,o=0;o1)throw new TypeError("Keyframe offsets must be between 0 and 1.")}}else if("composite"==r){if("add"==a||"accumulate"==a)throw{type:DOMException.NOT_SUPPORTED_ERR,name:"NotSupportedError",message:"add compositing is not supported"};if("replace"!=a)throw new TypeError("Invalid composite mode "+a+".")}else a="easing"==r?t.normalizeEasing(a):""+a;n(r,a,i)}return null==i.offset&&(i.offset=null),null==i.easing&&(i.easing="linear"),i})),a=!0,o=-1/0,s=0;s=0&&t.offset<=1})),a||function(){var t=i.length;null==i[t-1].offset&&(i[t-1].offset=1),t>1&&null==i[0].offset&&(i[0].offset=0);for(var e=0,n=i[0].offset,r=1;r=t.applyFrom&&i0?this._totalDuration:0),this._ensureAlive())},get currentTime(){return this._idle||this._currentTimePending?null:this._currentTime},set currentTime(t){t=+t,isNaN(t)||(e.restart(),this._paused||null==this._startTime||(this._startTime=this._timeline.currentTime-t/this._playbackRate),this._currentTimePending=!1,this._currentTime!=t&&(this._idle&&(this._idle=!1,this._paused=!0),this._tickCurrentTime(t,!0),e.applyDirtiedAnimation(this)))},get startTime(){return this._startTime},set startTime(t){t=+t,isNaN(t)||this._paused||this._idle||(this._startTime=t,this._tickCurrentTime((this._timeline.currentTime-this._startTime)*this.playbackRate),e.applyDirtiedAnimation(this))},get playbackRate(){return this._playbackRate},set playbackRate(t){if(t!=this._playbackRate){var i=this.currentTime;this._playbackRate=t,this._startTime=null,"paused"!=this.playState&&"idle"!=this.playState&&(this._finishedFlag=!1,this._idle=!1,this._ensureAlive(),e.applyDirtiedAnimation(this)),null!=i&&(this.currentTime=i)}},get _isFinished(){return!this._idle&&(this._playbackRate>0&&this._currentTime>=this._totalDuration||this._playbackRate<0&&this._currentTime<=0)},get _totalDuration(){return this._effect._totalDuration},get playState(){return this._idle?"idle":null==this._startTime&&!this._paused&&0!=this.playbackRate||this._currentTimePending?"pending":this._paused?"paused":this._isFinished?"finished":"running"},_rewind:function(){if(this._playbackRate>=0)this._currentTime=0;else{if(!(this._totalDuration<1/0))throw new DOMException("Unable to rewind negative playback rate animation with infinite duration","InvalidStateError");this._currentTime=this._totalDuration}},play:function(){this._paused=!1,(this._isFinished||this._idle)&&(this._rewind(),this._startTime=null),this._finishedFlag=!1,this._idle=!1,this._ensureAlive(),e.applyDirtiedAnimation(this)},pause:function(){this._isFinished||this._paused||this._idle?this._idle&&(this._rewind(),this._idle=!1):this._currentTimePending=!0,this._startTime=null,this._paused=!0},finish:function(){this._idle||(this.currentTime=this._playbackRate>0?this._totalDuration:0,this._startTime=this._totalDuration-this.currentTime,this._currentTimePending=!1,e.applyDirtiedAnimation(this))},cancel:function(){this._inEffect&&(this._inEffect=!1,this._idle=!0,this._paused=!1,this._finishedFlag=!0,this._currentTime=0,this._startTime=null,this._effect._update(null),e.applyDirtiedAnimation(this))},reverse:function(){this.playbackRate*=-1,this.play()},addEventListener:function(t,e){"function"==typeof e&&"finish"==t&&this._finishHandlers.push(e)},removeEventListener:function(t,e){if("finish"==t){var i=this._finishHandlers.indexOf(e);i>=0&&this._finishHandlers.splice(i,1)}},_fireEvents:function(t){if(this._isFinished){if(!this._finishedFlag){var e=new n(this,this._currentTime,t),i=this._finishHandlers.concat(this.onfinish?[this.onfinish]:[]);setTimeout((function(){i.forEach((function(t){t.call(e.target,e)}))}),0),this._finishedFlag=!0}}else this._finishedFlag=!1},_tick:function(t,e){this._idle||this._paused||(null==this._startTime?e&&(this.startTime=t-this._currentTime/this.playbackRate):this._isFinished||this._tickCurrentTime((t-this._startTime)*this.playbackRate)),e&&(this._currentTimePending=!1,this._fireEvents(t))},get _needsTick(){return this.playState in{pending:1,running:1}||!this._finishedFlag},_targetAnimations:function(){var t=this._effect._target;return t._activeAnimations||(t._activeAnimations=[]),t._activeAnimations},_markTarget:function(){var t=this._targetAnimations();-1===t.indexOf(this)&&t.push(this)},_unmarkTarget:function(){var t=this._targetAnimations(),e=t.indexOf(this);-1!==e&&t.splice(e,1)}}}(i,n),function(t,e,i){function n(t){var e=u;u=[],tn?i%=n:n%=i;return t*e/(i+n)}(n.length,r.length),u=0;u=1?e:"visible"}]}),["visibility"])}(n),function(t,e){function i(t){t=t.trim(),a.fillStyle="#000",a.fillStyle=t;var e=a.fillStyle;if(a.fillStyle="#fff",a.fillStyle=t,e==a.fillStyle){a.fillRect(0,0,1,1);var i=a.getImageData(0,0,1,1).data;a.clearRect(0,0,1,1);var n=i[3]/255;return[i[0]*n,i[1]*n,i[2]*n,n]}}function n(e,i){return[e,i,function(e){function i(t){return Math.max(0,Math.min(255,t))}if(e[3])for(var n=0;n<3;n++)e[n]=Math.round(i(e[n]/e[3]));return e[3]=t.numberToString(t.clamp(0,1,e[3])),"rgba("+e.join(",")+")"}]}var r=document.createElementNS("http://www.w3.org/1999/xhtml","canvas");r.width=r.height=1;var a=r.getContext("2d");t.addPropertiesHandler(i,n,["background-color","border-bottom-color","border-left-color","border-right-color","border-top-color","color","fill","flood-color","lighting-color","outline-color","stop-color","stroke","text-decoration-color"]),t.consumeColor=t.consumeParenthesised.bind(null,i),t.mergeColors=n}(n),function(t,e){function i(t){function e(){var e=o.exec(t);a=e?e[0]:void 0}function i(){if("("!==a)return function(){var t=Number(a);return e(),t}();e();var t=r();return")"!==a?NaN:(e(),t)}function n(){for(var t=i();"*"===a||"/"===a;){var n=a;e();var r=i();"*"===n?t*=r:t/=r}return t}function r(){for(var t=n();"+"===a||"-"===a;){var i=a;e();var r=n();"+"===i?t+=r:t-=r}return t}var a,o=/([\+\-\w\.]+|[\(\)\*\/])/g;return e(),r()}function n(t,e){if("0"==(e=e.trim().toLowerCase())&&"px".search(t)>=0)return{px:0};if(/^[^(]*$|^calc/.test(e)){e=e.replace(/calc\(/g,"(");var n={};e=e.replace(t,(function(t){return n[t]=null,"U"+t}));for(var r="U("+t.source+")",a=e.replace(/[-+]?(\d*\.)?\d+([Ee][-+]?\d+)?/g,"N").replace(new RegExp("N"+r,"g"),"D").replace(/\s[+-]\s/g,"O").replace(/\s/g,""),o=[/N\*(D)/g,/(N|D)[*\/]N/g,/(N|D)O\1/g,/\((N|D)\)/g],s=0;s1?"calc("+i+")":i}]}var o="px|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc",s=n.bind(null,new RegExp(o,"g")),l=n.bind(null,new RegExp(o+"|%","g")),u=n.bind(null,/deg|rad|grad|turn/g);t.parseLength=s,t.parseLengthOrPercent=l,t.consumeLengthOrPercent=t.consumeParenthesised.bind(null,l),t.parseAngle=u,t.mergeDimensions=a;var c=t.consumeParenthesised.bind(null,s),h=t.consumeRepeated.bind(void 0,c,/^/),f=t.consumeRepeated.bind(void 0,h,/^,/);t.consumeSizePairList=f;var m=t.mergeNestedRepeated.bind(void 0,r," "),p=t.mergeNestedRepeated.bind(void 0,m,",");t.mergeNonNegativeSizePair=m,t.addPropertiesHandler((function(t){var e=f(t);if(e&&""==e[1])return e[0]}),p,["background-size"]),t.addPropertiesHandler(l,r,["border-bottom-width","border-image-width","border-left-width","border-right-width","border-top-width","flex-basis","font-size","height","line-height","max-height","max-width","outline-width","width"]),t.addPropertiesHandler(l,a,["border-bottom-left-radius","border-bottom-right-radius","border-top-left-radius","border-top-right-radius","bottom","left","letter-spacing","margin-bottom","margin-left","margin-right","margin-top","min-height","min-width","outline-offset","padding-bottom","padding-left","padding-right","padding-top","perspective","right","shape-margin","stroke-dashoffset","text-indent","top","vertical-align","word-spacing"])}(n),function(t,e){function i(e){return t.consumeLengthOrPercent(e)||t.consumeToken(/^auto/,e)}function n(e){var n=t.consumeList([t.ignore(t.consumeToken.bind(null,/^rect/)),t.ignore(t.consumeToken.bind(null,/^\(/)),t.consumeRepeated.bind(null,i,/^,/),t.ignore(t.consumeToken.bind(null,/^\)/))],e);if(n&&4==n[0].length)return n[0]}var r=t.mergeWrappedNestedRepeated.bind(null,(function(t){return"rect("+t+")"}),(function(e,i){return"auto"==e||"auto"==i?[!0,!1,function(n){var r=n?e:i;if("auto"==r)return"auto";var a=t.mergeDimensions(r,r);return a[2](a[0])}]:t.mergeDimensions(e,i)}),", ");t.parseBox=n,t.mergeBoxes=r,t.addPropertiesHandler(n,r,["clip"])}(n),function(t,e){function i(t){return function(e){var i=0;return t.map((function(t){return t===u?e[i++]:t}))}}function n(t){return t}function r(e){if("none"==(e=e.toLowerCase().trim()))return[];for(var i,n=/\s*(\w+)\(([^)]*)\)/g,r=[],a=0;i=n.exec(e);){if(i.index!=a)return;a=i.index+i[0].length;var o=i[1],s=f[o];if(!s)return;var l=i[2].split(","),u=s[0];if(u.length=0&&this._cancelHandlers.splice(i,1)}else l.call(this,t,e)},a}}}(),function(t){var e=document.documentElement,i=null,n=!1;try{var r="0"==getComputedStyle(e).getPropertyValue("opacity")?"1":"0";(i=e.animate({opacity:[r,r]},{duration:1})).currentTime=0,n=getComputedStyle(e).getPropertyValue("opacity")==r}catch(t){}finally{i&&i.cancel()}if(!n){var a=window.Element.prototype.animate;window.Element.prototype.animate=function(e,i){return window.Symbol&&Symbol.iterator&&Array.prototype.from&&e[Symbol.iterator]&&(e=Array.from(e)),Array.isArray(e)||null===e||(e=t.convertToArrayForm(e)),a.call(this,e,i)}}}(i),function(t,e,i){function n(t){var i=e.timeline;i.currentTime=t,i._discardAnimations(),0==i._animations.length?a=!1:requestAnimationFrame(n)}var r=window.requestAnimationFrame;window.requestAnimationFrame=function(t){return r((function(i){e.timeline._updateAnimationsPromises(),t(i),e.timeline._updateAnimationsPromises()}))},e.AnimationTimeline=function(){this._animations=[],this.currentTime=void 0},e.AnimationTimeline.prototype={getAnimations:function(){return this._discardAnimations(),this._animations.slice()},_updateAnimationsPromises:function(){e.animationsWithPromises=e.animationsWithPromises.filter((function(t){return t._updatePromises()}))},_discardAnimations:function(){this._updateAnimationsPromises(),this._animations=this._animations.filter((function(t){return"finished"!=t.playState&&"idle"!=t.playState}))},_play:function(t){var i=new e.Animation(t,this);return this._animations.push(i),e.restartWebAnimationsNextTick(),i._updatePromises(),i._animation.play(),i._updatePromises(),i},play:function(t){return t&&t.remove(),this._play(t)}};var a=!1;e.restartWebAnimationsNextTick=function(){a||(a=!0,requestAnimationFrame(n))};var o=new e.AnimationTimeline;e.timeline=o;try{Object.defineProperty(window.document,"timeline",{configurable:!0,get:function(){return o}})}catch(t){}try{window.document.timeline=o}catch(t){}}(0,r),function(t,e,i){e.animationsWithPromises=[],e.Animation=function(e,i){if(this.id="",e&&e._id&&(this.id=e._id),this.effect=e,e&&(e._animation=this),!i)throw new Error("Animation with null timeline is not supported");this._timeline=i,this._sequenceNumber=t.sequenceNumber++,this._holdTime=0,this._paused=!1,this._isGroup=!1,this._animation=null,this._childAnimations=[],this._callback=null,this._oldPlayState="idle",this._rebuildUnderlyingAnimation(),this._animation.cancel(),this._updatePromises()},e.Animation.prototype={_updatePromises:function(){var t=this._oldPlayState,e=this.playState;return this._readyPromise&&e!==t&&("idle"==e?(this._rejectReadyPromise(),this._readyPromise=void 0):"pending"==t?this._resolveReadyPromise():"pending"==e&&(this._readyPromise=void 0)),this._finishedPromise&&e!==t&&("idle"==e?(this._rejectFinishedPromise(),this._finishedPromise=void 0):"finished"==e?this._resolveFinishedPromise():"finished"==t&&(this._finishedPromise=void 0)),this._oldPlayState=this.playState,this._readyPromise||this._finishedPromise},_rebuildUnderlyingAnimation:function(){this._updatePromises();var t,i,n,r,a=!!this._animation;a&&(t=this.playbackRate,i=this._paused,n=this.startTime,r=this.currentTime,this._animation.cancel(),this._animation._wrapper=null,this._animation=null),(!this.effect||this.effect instanceof window.KeyframeEffect)&&(this._animation=e.newUnderlyingAnimationForKeyframeEffect(this.effect),e.bindAnimationForKeyframeEffect(this)),(this.effect instanceof window.SequenceEffect||this.effect instanceof window.GroupEffect)&&(this._animation=e.newUnderlyingAnimationForGroup(this.effect),e.bindAnimationForGroup(this)),this.effect&&this.effect._onsample&&e.bindAnimationForCustomEffect(this),a&&(1!=t&&(this.playbackRate=t),null!==n?this.startTime=n:null!==r?this.currentTime=r:null!==this._holdTime&&(this.currentTime=this._holdTime),i&&this.pause()),this._updatePromises()},_updateChildren:function(){if(this.effect&&"idle"!=this.playState){var t=this.effect._timing.delay;this._childAnimations.forEach(function(i){this._arrangeChildren(i,t),this.effect instanceof window.SequenceEffect&&(t+=e.groupChildDuration(i.effect))}.bind(this))}},_setExternalAnimation:function(t){if(this.effect&&this._isGroup)for(var e=0;e\n :host {\n display: inline-block;\n position: relative;\n width: 400px;\n border: 1px solid;\n padding: 2px;\n -moz-appearance: textarea;\n -webkit-appearance: textarea;\n overflow: hidden;\n }\n\n .mirror-text {\n visibility: hidden;\n word-wrap: break-word;\n @apply --iron-autogrow-textarea;\n }\n\n .fit {\n @apply --layout-fit;\n }\n\n textarea {\n position: relative;\n outline: none;\n border: none;\n resize: none;\n background: inherit;\n color: inherit;\n /* see comments in template */\n width: 100%;\n height: 100%;\n font-size: inherit;\n font-family: inherit;\n line-height: inherit;\n text-align: inherit;\n @apply --iron-autogrow-textarea;\n }\n\n textarea::-webkit-input-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n\n textarea:-moz-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n\n textarea::-moz-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n\n textarea:-ms-input-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n \n\n \x3c!-- the mirror sizes the input/textarea so it grows with typing --\x3e\n \x3c!-- use   instead   of to allow this element to be used in XHTML --\x3e\n \n\n \x3c!-- size the input/textarea with a div, because the textarea has intrinsic size in ff --\x3e\n
\n \n
\n'],['\n \n\n \x3c!-- the mirror sizes the input/textarea so it grows with typing --\x3e\n \x3c!-- use   instead   of to allow this element to be used in XHTML --\x3e\n \n\n \x3c!-- size the input/textarea with a div, because the textarea has intrinsic size in ff --\x3e\n
\n \n
\n']);return l=function(){return t},t}Object(a.a)({_template:Object(s.a)(l()),is:"iron-autogrow-textarea",behaviors:[r.a,n.a],properties:{value:{observer:"_valueChanged",type:String,notify:!0},bindValue:{observer:"_bindValueChanged",type:String,notify:!0},rows:{type:Number,value:1,observer:"_updateCached"},maxRows:{type:Number,value:0,observer:"_updateCached"},autocomplete:{type:String,value:"off"},autofocus:{type:Boolean,value:!1},inputmode:{type:String},placeholder:{type:String},readonly:{type:String},required:{type:Boolean},minlength:{type:Number},maxlength:{type:Number},label:{type:String}},listeners:{input:"_onInput"},get textarea(){return this.$.textarea},get selectionStart(){return this.$.textarea.selectionStart},get selectionEnd(){return this.$.textarea.selectionEnd},set selectionStart(t){this.$.textarea.selectionStart=t},set selectionEnd(t){this.$.textarea.selectionEnd=t},attached:function(){navigator.userAgent.match(/iP(?:[oa]d|hone)/)&&(this.$.textarea.style.marginLeft="-3px")},validate:function(){var t=this.$.textarea.validity.valid;return t&&(this.required&&""===this.value?t=!1:this.hasValidator()&&(t=r.a.validate.call(this,this.value))),this.invalid=!t,this.fire("iron-input-validate"),t},_bindValueChanged:function(t){this.value=t},_valueChanged:function(t){var e=this.textarea;e&&(e.value!==t&&(e.value=t||0===t?t:""),this.bindValue=t,this.$.mirror.innerHTML=this._valueForMirror(),this.fire("bind-value-changed",{value:this.bindValue}))},_onInput:function(t){var e=Object(o.a)(t).path;this.value=e?e[0].value:t.target.value},_constrain:function(t){var e;for(t=t||[""],e=this.maxRows>0&&t.length>this.maxRows?t.slice(0,this.maxRows):t.slice(0);this.rows>0&&e.length")+" "},_valueForMirror:function(){var t=this.textarea;if(t)return this.tokens=t&&t.value?t.value.replace(/&/gm,"&").replace(/"/gm,""").replace(/'/gm,"'").replace(//gm,">").split("\n"):[""],this._constrain(this.tokens)},_updateCached:function(){this.$.mirror.innerHTML=this._constrain(this.tokens)}})},172:function(t,e,i){"use strict";i(3);var n=i(4),r=i(2),a=i(5);function o(){var t=function(t,e){e||(e=t.slice(0));return Object.freeze(Object.defineProperties(t,{raw:{value:Object.freeze(e)}}))}(['\n \n\n \n']);return o=function(){return t},t}Object(n.a)({_template:Object(a.a)(o()),is:"paper-tooltip",hostAttributes:{role:"tooltip",tabindex:-1},properties:{for:{type:String,observer:"_findTarget"},manualMode:{type:Boolean,value:!1,observer:"_manualModeChanged"},position:{type:String,value:"bottom"},fitToVisibleBounds:{type:Boolean,value:!1},offset:{type:Number,value:14},marginTop:{type:Number,value:14},animationDelay:{type:Number,value:500,observer:"_delayChange"},animationEntry:{type:String,value:""},animationExit:{type:String,value:""},animationConfig:{type:Object,value:function(){return{entry:[{name:"fade-in-animation",node:this,timing:{delay:0}}],exit:[{name:"fade-out-animation",node:this}]}}},_showing:{type:Boolean,value:!1}},listeners:{webkitAnimationEnd:"_onAnimationEnd"},get target(){var t=Object(r.a)(this).parentNode,e=Object(r.a)(this).getOwnerRoot();return this.for?Object(r.a)(e).querySelector("#"+this.for):t.nodeType==Node.DOCUMENT_FRAGMENT_NODE?e.host:t},attached:function(){this._findTarget()},detached:function(){this.manualMode||this._removeListeners()},playAnimation:function(t){"entry"===t?this.show():"exit"===t&&this.hide()},cancelAnimation:function(){this.$.tooltip.classList.add("cancel-animation")},show:function(){if(!this._showing){if(""===Object(r.a)(this).textContent.trim()){for(var t=!0,e=Object(r.a)(this).getEffectiveChildNodes(),i=0;iwindow.innerWidth?(this.style.right="0px",this.style.left="auto"):(this.style.left=Math.max(0,e)+"px",this.style.right="auto"),n.top+i+a.height>window.innerHeight?(this.style.bottom=n.height-u+t+"px",this.style.top="auto"):(this.style.top=Math.max(-n.top,i)+"px",this.style.bottom="auto")):(this.style.left=e+"px",this.style.top=i+"px")}},_addListeners:function(){this._target&&(this.listen(this._target,"mouseenter","show"),this.listen(this._target,"focus","show"),this.listen(this._target,"mouseleave","hide"),this.listen(this._target,"blur","hide"),this.listen(this._target,"tap","hide")),this.listen(this.$.tooltip,"animationend","_onAnimationEnd"),this.listen(this,"mouseenter","hide")},_findTarget:function(){this.manualMode||this._removeListeners(),this._target=this.target,this.manualMode||this._addListeners()},_delayChange:function(t){500!==t&&this.updateStyles({"--paper-tooltip-delay-in":t+"ms"})},_manualModeChanged:function(){this.manualMode?this._removeListeners():this._addListeners()},_cancelAnimation:function(){this.$.tooltip.classList.remove(this._getAnimationType("entry")),this.$.tooltip.classList.remove(this._getAnimationType("exit")),this.$.tooltip.classList.remove("cancel-animation"),this.$.tooltip.classList.add("hidden")},_onAnimationFinish:function(){this._showing&&(this.$.tooltip.classList.remove(this._getAnimationType("entry")),this.$.tooltip.classList.remove("cancel-animation"),this.$.tooltip.classList.add(this._getAnimationType("exit")))},_onAnimationEnd:function(){this._animationPlaying=!1,this._showing||(this.$.tooltip.classList.remove(this._getAnimationType("exit")),this.$.tooltip.classList.add("hidden"))},_getAnimationType:function(t){if("entry"===t&&""!==this.animationEntry)return this.animationEntry;if("exit"===t&&""!==this.animationExit)return this.animationExit;if(this.animationConfig[t]&&"string"==typeof this.animationConfig[t][0].name){if(this.animationConfig[t][0].timing&&this.animationConfig[t][0].timing.delay&&0!==this.animationConfig[t][0].timing.delay){var e=this.animationConfig[t][0].timing.delay;"entry"===t?this.updateStyles({"--paper-tooltip-delay-in":e+"ms"}):"exit"===t&&this.updateStyles({"--paper-tooltip-delay-out":e+"ms"})}return this.animationConfig[t][0].name}},_removeListeners:function(){this._target&&(this.unlisten(this._target,"mouseenter","show"),this.unlisten(this._target,"focus","show"),this.unlisten(this._target,"mouseleave","hide"),this.unlisten(this._target,"blur","hide"),this.unlisten(this._target,"tap","hide")),this.unlisten(this.$.tooltip,"animationend","_onAnimationEnd"),this.unlisten(this,"mouseenter","hide")}})}}]); -//# sourceMappingURL=chunk.1f998a3d7e32b7b3c45c.js.map \ No newline at end of file +/*! For license information please see chunk.b046b37af037dae78070.js.LICENSE.txt */ +(self.webpackJsonp=self.webpackJsonp||[]).push([[9],{166:function(t,e,i){"use strict";i.d(e,"a",(function(){return c}));const n=Symbol("Comlink.proxy"),r=Symbol("Comlink.endpoint"),a=Symbol("Comlink.releaseProxy"),o=Symbol("Comlink.thrown"),s=t=>"object"==typeof t&&null!==t||"function"==typeof t,l=new Map([["proxy",{canHandle:t=>s(t)&&t[n],serialize(t){const{port1:e,port2:i}=new MessageChannel;return function t(e,i=self){i.addEventListener("message",(function r(a){if(!a||!a.data)return;const{id:s,type:l,path:c}=Object.assign({path:[]},a.data),h=(a.data.argumentList||[]).map(d);let f;try{const i=c.slice(0,-1).reduce((t,e)=>t[e],e),r=c.reduce((t,e)=>t[e],e);switch(l){case 0:f=r;break;case 1:i[c.slice(-1)[0]]=d(a.data.value),f=!0;break;case 2:f=r.apply(i,h);break;case 3:f=function(t){return Object.assign(t,{[n]:!0})}(new r(...h));break;case 4:{const{port1:i,port2:n}=new MessageChannel;t(e,n),f=function(t,e){return m.set(t,e),t}(i,[i])}break;case 5:f=void 0}}catch(g){f={value:g,[o]:0}}Promise.resolve(f).catch(t=>({value:t,[o]:0})).then(t=>{const[e,n]=p(t);i.postMessage(Object.assign(Object.assign({},e),{id:s}),n),5===l&&(i.removeEventListener("message",r),u(i))})})),i.start&&i.start()}(t,e),[i,[i]]},deserialize:t=>(t.start(),c(t))}],["throw",{canHandle:t=>s(t)&&o in t,serialize({value:t}){let e;return e=t instanceof Error?{isError:!0,value:{message:t.message,name:t.name,stack:t.stack}}:{isError:!1,value:t},[e,[]]},deserialize(t){if(t.isError)throw Object.assign(new Error(t.value.message),t.value);throw t.value}}]]);function u(t){(function(t){return"MessagePort"===t.constructor.name})(t)&&t.close()}function c(t,e){return function t(e,i=[],n=function(){}){let o=!1;const s=new Proxy(n,{get(n,r){if(h(o),r===a)return()=>g(e,{type:5,path:i.map(t=>t.toString())}).then(()=>{u(e),o=!0});if("then"===r){if(0===i.length)return{then:()=>s};const t=g(e,{type:0,path:i.map(t=>t.toString())}).then(d);return t.then.bind(t)}return t(e,[...i,r])},set(t,n,r){h(o);const[a,s]=p(r);return g(e,{type:1,path:[...i,n].map(t=>t.toString()),value:a},s).then(d)},apply(n,a,s){h(o);const l=i[i.length-1];if(l===r)return g(e,{type:4}).then(d);if("bind"===l)return t(e,i.slice(0,-1));const[u,c]=f(s);return g(e,{type:2,path:i.map(t=>t.toString()),argumentList:u},c).then(d)},construct(t,n){h(o);const[r,a]=f(n);return g(e,{type:3,path:i.map(t=>t.toString()),argumentList:r},a).then(d)}});return s}(t,[],e)}function h(t){if(t)throw new Error("Proxy has been released and is not useable")}function f(t){const e=t.map(p);return[e.map(t=>t[0]),(i=e.map(t=>t[1]),Array.prototype.concat.apply([],i))];var i}const m=new WeakMap;function p(t){for(const[e,i]of l)if(i.canHandle(t)){const[n,r]=i.serialize(t);return[{type:3,name:e,value:n},r]}return[{type:0,value:t},m.get(t)||[]]}function d(t){switch(t.type){case 3:return l.get(t.name).deserialize(t.value);case 0:return t.value}}function g(t,e,i){return new Promise(n=>{const r=new Array(4).fill(0).map(()=>Math.floor(Math.random()*Number.MAX_SAFE_INTEGER).toString(16)).join("-");t.addEventListener("message",(function e(i){i.data&&i.data.id&&i.data.id===r&&(t.removeEventListener("message",e),n(i.data))})),t.start&&t.start(),t.postMessage(Object.assign({id:r},e),i)})}},167:function(t,e){var i,n,r;n={},r={},function(t,e){function i(){this._delay=0,this._endDelay=0,this._fill="none",this._iterationStart=0,this._iterations=1,this._duration=0,this._playbackRate=1,this._direction="normal",this._easing="linear",this._easingFunction=f}function n(){return t.isDeprecated("Invalid timing inputs","2016-03-02","TypeError exceptions will be thrown instead.",!0)}function r(e,n,r){var a=new i;return n&&(a.fill="both",a.duration="auto"),"number"!=typeof e||isNaN(e)?void 0!==e&&Object.getOwnPropertyNames(e).forEach((function(i){if("auto"!=e[i]){if(("number"==typeof a[i]||"duration"==i)&&("number"!=typeof e[i]||isNaN(e[i])))return;if("fill"==i&&-1==c.indexOf(e[i]))return;if("direction"==i&&-1==h.indexOf(e[i]))return;if("playbackRate"==i&&1!==e[i]&&t.isDeprecated("AnimationEffectTiming.playbackRate","2014-11-28","Use Animation.playbackRate instead."))return;a[i]=e[i]}})):a.duration=e,a}function a(t,e,i,n){return t<0||t>1||i<0||i>1?f:function(r){function a(t,e,i){return 3*t*(1-i)*(1-i)*i+3*e*(1-i)*i*i+i*i*i}if(r<=0){var o=0;return t>0?o=e/t:!e&&i>0&&(o=n/i),o*r}if(r>=1){var s=0;return i<1?s=(n-1)/(i-1):1==i&&t<1&&(s=(e-1)/(t-1)),1+s*(r-1)}for(var l=0,u=1;l=1)return 1;var n=1/t;return(i+=e*n)-i%n}}function s(t){_||(_=document.createElement("div").style),_.animationTimingFunction="",_.animationTimingFunction=t;var e=_.animationTimingFunction;if(""==e&&n())throw new TypeError(t+" is not a valid value for easing");return e}function l(t){if("linear"==t)return f;var e=v.exec(t);if(e)return a.apply(this,e.slice(1).map(Number));var i=b.exec(t);if(i)return o(Number(i[1]),d);var n=w.exec(t);return n?o(Number(n[1]),{start:m,middle:p,end:d}[n[2]]):g[t]||f}function u(t,e,i){if(null==e)return x;var n=i.delay+t+i.endDelay;return e=Math.min(i.delay+t,n)?E:A}var c="backwards|forwards|both|none".split("|"),h="reverse|alternate|alternate-reverse".split("|"),f=function(t){return t};i.prototype={_setMember:function(e,i){this["_"+e]=i,this._effect&&(this._effect._timingInput[e]=i,this._effect._timing=t.normalizeTimingInput(this._effect._timingInput),this._effect.activeDuration=t.calculateActiveDuration(this._effect._timing),this._effect._animation&&this._effect._animation._rebuildUnderlyingAnimation())},get playbackRate(){return this._playbackRate},set delay(t){this._setMember("delay",t)},get delay(){return this._delay},set endDelay(t){this._setMember("endDelay",t)},get endDelay(){return this._endDelay},set fill(t){this._setMember("fill",t)},get fill(){return this._fill},set iterationStart(t){if((isNaN(t)||t<0)&&n())throw new TypeError("iterationStart must be a non-negative number, received: "+t);this._setMember("iterationStart",t)},get iterationStart(){return this._iterationStart},set duration(t){if("auto"!=t&&(isNaN(t)||t<0)&&n())throw new TypeError("duration must be non-negative or auto, received: "+t);this._setMember("duration",t)},get duration(){return this._duration},set direction(t){this._setMember("direction",t)},get direction(){return this._direction},set easing(t){this._easingFunction=l(s(t)),this._setMember("easing",t)},get easing(){return this._easing},set iterations(t){if((isNaN(t)||t<0)&&n())throw new TypeError("iterations must be non-negative, received: "+t);this._setMember("iterations",t)},get iterations(){return this._iterations}};var m=1,p=.5,d=0,g={ease:a(.25,.1,.25,1),"ease-in":a(.42,0,1,1),"ease-out":a(0,0,.58,1),"ease-in-out":a(.42,0,.58,1),"step-start":o(1,m),"step-middle":o(1,p),"step-end":o(1,d)},_=null,y="\\s*(-?\\d+\\.?\\d*|-?\\.\\d+)\\s*",v=new RegExp("cubic-bezier\\("+y+","+y+","+y+","+y+"\\)"),b=/steps\(\s*(\d+)\s*\)/,w=/steps\(\s*(\d+)\s*,\s*(start|middle|end)\s*\)/,x=0,T=1,E=2,A=3;t.cloneTimingInput=function(t){if("number"==typeof t)return t;var e={};for(var i in t)e[i]=t[i];return e},t.makeTiming=r,t.numericTimingToObject=function(t){return"number"==typeof t&&(t=isNaN(t)?{duration:0}:{duration:t}),t},t.normalizeTimingInput=function(e,i){return r(e=t.numericTimingToObject(e),i)},t.calculateActiveDuration=function(t){return Math.abs(function(t){return 0===t.duration||0===t.iterations?0:t.duration*t.iterations}(t)/t.playbackRate)},t.calculateIterationProgress=function(t,e,i){var n=u(t,e,i),r=function(t,e,i,n,r){switch(n){case T:return"backwards"==e||"both"==e?0:null;case A:return i-r;case E:return"forwards"==e||"both"==e?t:null;case x:return null}}(t,i.fill,e,n,i.delay);if(null===r)return null;var a=function(t,e,i,n,r){var a=r;return 0===t?e!==T&&(a+=i):a+=n/t,a}(i.duration,n,i.iterations,r,i.iterationStart),o=function(t,e,i,n,r,a){var o=t===1/0?e%1:t%1;return 0!==o||i!==E||0===n||0===r&&0!==a||(o=1),o}(a,i.iterationStart,n,i.iterations,r,i.duration),s=function(t,e,i,n){return t===E&&e===1/0?1/0:1===i?Math.floor(n)-1:Math.floor(n)}(n,i.iterations,o,a),l=function(t,e,i){var n=t;if("normal"!==t&&"reverse"!==t){var r=e;"alternate-reverse"===t&&(r+=1),n="normal",r!==1/0&&r%2!=0&&(n="reverse")}return"normal"===n?i:1-i}(i.direction,s,o);return i._easingFunction(l)},t.calculatePhase=u,t.normalizeEasing=s,t.parseEasingFunction=l}(i={}),function(t,e){function i(t,e){return t in l&&l[t][e]||e}function n(t,e,n){if(!function(t){return"display"===t||0===t.lastIndexOf("animation",0)||0===t.lastIndexOf("transition",0)}(t)){var r=a[t];if(r)for(var s in o.style[t]=e,r){var l=r[s],u=o.style[l];n[l]=i(l,u)}else n[t]=i(t,e)}}function r(t){var e=[];for(var i in t)if(!(i in["easing","offset","composite"])){var n=t[i];Array.isArray(n)||(n=[n]);for(var r,a=n.length,o=0;o1)throw new TypeError("Keyframe offsets must be between 0 and 1.")}}else if("composite"==r){if("add"==a||"accumulate"==a)throw{type:DOMException.NOT_SUPPORTED_ERR,name:"NotSupportedError",message:"add compositing is not supported"};if("replace"!=a)throw new TypeError("Invalid composite mode "+a+".")}else a="easing"==r?t.normalizeEasing(a):""+a;n(r,a,i)}return null==i.offset&&(i.offset=null),null==i.easing&&(i.easing="linear"),i})),a=!0,o=-1/0,s=0;s=0&&t.offset<=1})),a||function(){var t=i.length;null==i[t-1].offset&&(i[t-1].offset=1),t>1&&null==i[0].offset&&(i[0].offset=0);for(var e=0,n=i[0].offset,r=1;r=t.applyFrom&&i0?this._totalDuration:0),this._ensureAlive())},get currentTime(){return this._idle||this._currentTimePending?null:this._currentTime},set currentTime(t){t=+t,isNaN(t)||(e.restart(),this._paused||null==this._startTime||(this._startTime=this._timeline.currentTime-t/this._playbackRate),this._currentTimePending=!1,this._currentTime!=t&&(this._idle&&(this._idle=!1,this._paused=!0),this._tickCurrentTime(t,!0),e.applyDirtiedAnimation(this)))},get startTime(){return this._startTime},set startTime(t){t=+t,isNaN(t)||this._paused||this._idle||(this._startTime=t,this._tickCurrentTime((this._timeline.currentTime-this._startTime)*this.playbackRate),e.applyDirtiedAnimation(this))},get playbackRate(){return this._playbackRate},set playbackRate(t){if(t!=this._playbackRate){var i=this.currentTime;this._playbackRate=t,this._startTime=null,"paused"!=this.playState&&"idle"!=this.playState&&(this._finishedFlag=!1,this._idle=!1,this._ensureAlive(),e.applyDirtiedAnimation(this)),null!=i&&(this.currentTime=i)}},get _isFinished(){return!this._idle&&(this._playbackRate>0&&this._currentTime>=this._totalDuration||this._playbackRate<0&&this._currentTime<=0)},get _totalDuration(){return this._effect._totalDuration},get playState(){return this._idle?"idle":null==this._startTime&&!this._paused&&0!=this.playbackRate||this._currentTimePending?"pending":this._paused?"paused":this._isFinished?"finished":"running"},_rewind:function(){if(this._playbackRate>=0)this._currentTime=0;else{if(!(this._totalDuration<1/0))throw new DOMException("Unable to rewind negative playback rate animation with infinite duration","InvalidStateError");this._currentTime=this._totalDuration}},play:function(){this._paused=!1,(this._isFinished||this._idle)&&(this._rewind(),this._startTime=null),this._finishedFlag=!1,this._idle=!1,this._ensureAlive(),e.applyDirtiedAnimation(this)},pause:function(){this._isFinished||this._paused||this._idle?this._idle&&(this._rewind(),this._idle=!1):this._currentTimePending=!0,this._startTime=null,this._paused=!0},finish:function(){this._idle||(this.currentTime=this._playbackRate>0?this._totalDuration:0,this._startTime=this._totalDuration-this.currentTime,this._currentTimePending=!1,e.applyDirtiedAnimation(this))},cancel:function(){this._inEffect&&(this._inEffect=!1,this._idle=!0,this._paused=!1,this._finishedFlag=!0,this._currentTime=0,this._startTime=null,this._effect._update(null),e.applyDirtiedAnimation(this))},reverse:function(){this.playbackRate*=-1,this.play()},addEventListener:function(t,e){"function"==typeof e&&"finish"==t&&this._finishHandlers.push(e)},removeEventListener:function(t,e){if("finish"==t){var i=this._finishHandlers.indexOf(e);i>=0&&this._finishHandlers.splice(i,1)}},_fireEvents:function(t){if(this._isFinished){if(!this._finishedFlag){var e=new n(this,this._currentTime,t),i=this._finishHandlers.concat(this.onfinish?[this.onfinish]:[]);setTimeout((function(){i.forEach((function(t){t.call(e.target,e)}))}),0),this._finishedFlag=!0}}else this._finishedFlag=!1},_tick:function(t,e){this._idle||this._paused||(null==this._startTime?e&&(this.startTime=t-this._currentTime/this.playbackRate):this._isFinished||this._tickCurrentTime((t-this._startTime)*this.playbackRate)),e&&(this._currentTimePending=!1,this._fireEvents(t))},get _needsTick(){return this.playState in{pending:1,running:1}||!this._finishedFlag},_targetAnimations:function(){var t=this._effect._target;return t._activeAnimations||(t._activeAnimations=[]),t._activeAnimations},_markTarget:function(){var t=this._targetAnimations();-1===t.indexOf(this)&&t.push(this)},_unmarkTarget:function(){var t=this._targetAnimations(),e=t.indexOf(this);-1!==e&&t.splice(e,1)}}}(i,n),function(t,e,i){function n(t){var e=u;u=[],tn?i%=n:n%=i;return t*e/(i+n)}(n.length,r.length),u=0;u=1?e:"visible"}]}),["visibility"])}(n),function(t,e){function i(t){t=t.trim(),a.fillStyle="#000",a.fillStyle=t;var e=a.fillStyle;if(a.fillStyle="#fff",a.fillStyle=t,e==a.fillStyle){a.fillRect(0,0,1,1);var i=a.getImageData(0,0,1,1).data;a.clearRect(0,0,1,1);var n=i[3]/255;return[i[0]*n,i[1]*n,i[2]*n,n]}}function n(e,i){return[e,i,function(e){function i(t){return Math.max(0,Math.min(255,t))}if(e[3])for(var n=0;n<3;n++)e[n]=Math.round(i(e[n]/e[3]));return e[3]=t.numberToString(t.clamp(0,1,e[3])),"rgba("+e.join(",")+")"}]}var r=document.createElementNS("http://www.w3.org/1999/xhtml","canvas");r.width=r.height=1;var a=r.getContext("2d");t.addPropertiesHandler(i,n,["background-color","border-bottom-color","border-left-color","border-right-color","border-top-color","color","fill","flood-color","lighting-color","outline-color","stop-color","stroke","text-decoration-color"]),t.consumeColor=t.consumeParenthesised.bind(null,i),t.mergeColors=n}(n),function(t,e){function i(t){function e(){var e=o.exec(t);a=e?e[0]:void 0}function i(){if("("!==a)return function(){var t=Number(a);return e(),t}();e();var t=r();return")"!==a?NaN:(e(),t)}function n(){for(var t=i();"*"===a||"/"===a;){var n=a;e();var r=i();"*"===n?t*=r:t/=r}return t}function r(){for(var t=n();"+"===a||"-"===a;){var i=a;e();var r=n();"+"===i?t+=r:t-=r}return t}var a,o=/([\+\-\w\.]+|[\(\)\*\/])/g;return e(),r()}function n(t,e){if("0"==(e=e.trim().toLowerCase())&&"px".search(t)>=0)return{px:0};if(/^[^(]*$|^calc/.test(e)){e=e.replace(/calc\(/g,"(");var n={};e=e.replace(t,(function(t){return n[t]=null,"U"+t}));for(var r="U("+t.source+")",a=e.replace(/[-+]?(\d*\.)?\d+([Ee][-+]?\d+)?/g,"N").replace(new RegExp("N"+r,"g"),"D").replace(/\s[+-]\s/g,"O").replace(/\s/g,""),o=[/N\*(D)/g,/(N|D)[*\/]N/g,/(N|D)O\1/g,/\((N|D)\)/g],s=0;s1?"calc("+i+")":i}]}var o="px|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc",s=n.bind(null,new RegExp(o,"g")),l=n.bind(null,new RegExp(o+"|%","g")),u=n.bind(null,/deg|rad|grad|turn/g);t.parseLength=s,t.parseLengthOrPercent=l,t.consumeLengthOrPercent=t.consumeParenthesised.bind(null,l),t.parseAngle=u,t.mergeDimensions=a;var c=t.consumeParenthesised.bind(null,s),h=t.consumeRepeated.bind(void 0,c,/^/),f=t.consumeRepeated.bind(void 0,h,/^,/);t.consumeSizePairList=f;var m=t.mergeNestedRepeated.bind(void 0,r," "),p=t.mergeNestedRepeated.bind(void 0,m,",");t.mergeNonNegativeSizePair=m,t.addPropertiesHandler((function(t){var e=f(t);if(e&&""==e[1])return e[0]}),p,["background-size"]),t.addPropertiesHandler(l,r,["border-bottom-width","border-image-width","border-left-width","border-right-width","border-top-width","flex-basis","font-size","height","line-height","max-height","max-width","outline-width","width"]),t.addPropertiesHandler(l,a,["border-bottom-left-radius","border-bottom-right-radius","border-top-left-radius","border-top-right-radius","bottom","left","letter-spacing","margin-bottom","margin-left","margin-right","margin-top","min-height","min-width","outline-offset","padding-bottom","padding-left","padding-right","padding-top","perspective","right","shape-margin","stroke-dashoffset","text-indent","top","vertical-align","word-spacing"])}(n),function(t,e){function i(e){return t.consumeLengthOrPercent(e)||t.consumeToken(/^auto/,e)}function n(e){var n=t.consumeList([t.ignore(t.consumeToken.bind(null,/^rect/)),t.ignore(t.consumeToken.bind(null,/^\(/)),t.consumeRepeated.bind(null,i,/^,/),t.ignore(t.consumeToken.bind(null,/^\)/))],e);if(n&&4==n[0].length)return n[0]}var r=t.mergeWrappedNestedRepeated.bind(null,(function(t){return"rect("+t+")"}),(function(e,i){return"auto"==e||"auto"==i?[!0,!1,function(n){var r=n?e:i;if("auto"==r)return"auto";var a=t.mergeDimensions(r,r);return a[2](a[0])}]:t.mergeDimensions(e,i)}),", ");t.parseBox=n,t.mergeBoxes=r,t.addPropertiesHandler(n,r,["clip"])}(n),function(t,e){function i(t){return function(e){var i=0;return t.map((function(t){return t===u?e[i++]:t}))}}function n(t){return t}function r(e){if("none"==(e=e.toLowerCase().trim()))return[];for(var i,n=/\s*(\w+)\(([^)]*)\)/g,r=[],a=0;i=n.exec(e);){if(i.index!=a)return;a=i.index+i[0].length;var o=i[1],s=f[o];if(!s)return;var l=i[2].split(","),u=s[0];if(u.length=0&&this._cancelHandlers.splice(i,1)}else l.call(this,t,e)},a}}}(),function(t){var e=document.documentElement,i=null,n=!1;try{var r="0"==getComputedStyle(e).getPropertyValue("opacity")?"1":"0";(i=e.animate({opacity:[r,r]},{duration:1})).currentTime=0,n=getComputedStyle(e).getPropertyValue("opacity")==r}catch(t){}finally{i&&i.cancel()}if(!n){var a=window.Element.prototype.animate;window.Element.prototype.animate=function(e,i){return window.Symbol&&Symbol.iterator&&Array.prototype.from&&e[Symbol.iterator]&&(e=Array.from(e)),Array.isArray(e)||null===e||(e=t.convertToArrayForm(e)),a.call(this,e,i)}}}(i),function(t,e,i){function n(t){var i=e.timeline;i.currentTime=t,i._discardAnimations(),0==i._animations.length?a=!1:requestAnimationFrame(n)}var r=window.requestAnimationFrame;window.requestAnimationFrame=function(t){return r((function(i){e.timeline._updateAnimationsPromises(),t(i),e.timeline._updateAnimationsPromises()}))},e.AnimationTimeline=function(){this._animations=[],this.currentTime=void 0},e.AnimationTimeline.prototype={getAnimations:function(){return this._discardAnimations(),this._animations.slice()},_updateAnimationsPromises:function(){e.animationsWithPromises=e.animationsWithPromises.filter((function(t){return t._updatePromises()}))},_discardAnimations:function(){this._updateAnimationsPromises(),this._animations=this._animations.filter((function(t){return"finished"!=t.playState&&"idle"!=t.playState}))},_play:function(t){var i=new e.Animation(t,this);return this._animations.push(i),e.restartWebAnimationsNextTick(),i._updatePromises(),i._animation.play(),i._updatePromises(),i},play:function(t){return t&&t.remove(),this._play(t)}};var a=!1;e.restartWebAnimationsNextTick=function(){a||(a=!0,requestAnimationFrame(n))};var o=new e.AnimationTimeline;e.timeline=o;try{Object.defineProperty(window.document,"timeline",{configurable:!0,get:function(){return o}})}catch(t){}try{window.document.timeline=o}catch(t){}}(0,r),function(t,e,i){e.animationsWithPromises=[],e.Animation=function(e,i){if(this.id="",e&&e._id&&(this.id=e._id),this.effect=e,e&&(e._animation=this),!i)throw new Error("Animation with null timeline is not supported");this._timeline=i,this._sequenceNumber=t.sequenceNumber++,this._holdTime=0,this._paused=!1,this._isGroup=!1,this._animation=null,this._childAnimations=[],this._callback=null,this._oldPlayState="idle",this._rebuildUnderlyingAnimation(),this._animation.cancel(),this._updatePromises()},e.Animation.prototype={_updatePromises:function(){var t=this._oldPlayState,e=this.playState;return this._readyPromise&&e!==t&&("idle"==e?(this._rejectReadyPromise(),this._readyPromise=void 0):"pending"==t?this._resolveReadyPromise():"pending"==e&&(this._readyPromise=void 0)),this._finishedPromise&&e!==t&&("idle"==e?(this._rejectFinishedPromise(),this._finishedPromise=void 0):"finished"==e?this._resolveFinishedPromise():"finished"==t&&(this._finishedPromise=void 0)),this._oldPlayState=this.playState,this._readyPromise||this._finishedPromise},_rebuildUnderlyingAnimation:function(){this._updatePromises();var t,i,n,r,a=!!this._animation;a&&(t=this.playbackRate,i=this._paused,n=this.startTime,r=this.currentTime,this._animation.cancel(),this._animation._wrapper=null,this._animation=null),(!this.effect||this.effect instanceof window.KeyframeEffect)&&(this._animation=e.newUnderlyingAnimationForKeyframeEffect(this.effect),e.bindAnimationForKeyframeEffect(this)),(this.effect instanceof window.SequenceEffect||this.effect instanceof window.GroupEffect)&&(this._animation=e.newUnderlyingAnimationForGroup(this.effect),e.bindAnimationForGroup(this)),this.effect&&this.effect._onsample&&e.bindAnimationForCustomEffect(this),a&&(1!=t&&(this.playbackRate=t),null!==n?this.startTime=n:null!==r?this.currentTime=r:null!==this._holdTime&&(this.currentTime=this._holdTime),i&&this.pause()),this._updatePromises()},_updateChildren:function(){if(this.effect&&"idle"!=this.playState){var t=this.effect._timing.delay;this._childAnimations.forEach(function(i){this._arrangeChildren(i,t),this.effect instanceof window.SequenceEffect&&(t+=e.groupChildDuration(i.effect))}.bind(this))}},_setExternalAnimation:function(t){if(this.effect&&this._isGroup)for(var e=0;e\n :host {\n display: inline-block;\n position: relative;\n width: 400px;\n border: 1px solid;\n padding: 2px;\n -moz-appearance: textarea;\n -webkit-appearance: textarea;\n overflow: hidden;\n }\n\n .mirror-text {\n visibility: hidden;\n word-wrap: break-word;\n @apply --iron-autogrow-textarea;\n }\n\n .fit {\n @apply --layout-fit;\n }\n\n textarea {\n position: relative;\n outline: none;\n border: none;\n resize: none;\n background: inherit;\n color: inherit;\n /* see comments in template */\n width: 100%;\n height: 100%;\n font-size: inherit;\n font-family: inherit;\n line-height: inherit;\n text-align: inherit;\n @apply --iron-autogrow-textarea;\n }\n\n textarea::-webkit-input-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n\n textarea:-moz-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n\n textarea::-moz-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n\n textarea:-ms-input-placeholder {\n @apply --iron-autogrow-textarea-placeholder;\n }\n \n\n \x3c!-- the mirror sizes the input/textarea so it grows with typing --\x3e\n \x3c!-- use   instead   of to allow this element to be used in XHTML --\x3e\n \n\n \x3c!-- size the input/textarea with a div, because the textarea has intrinsic size in ff --\x3e\n
\n \n
\n'],['\n \n\n \x3c!-- the mirror sizes the input/textarea so it grows with typing --\x3e\n \x3c!-- use   instead   of to allow this element to be used in XHTML --\x3e\n \n\n \x3c!-- size the input/textarea with a div, because the textarea has intrinsic size in ff --\x3e\n
\n \n
\n']);return l=function(){return t},t}Object(a.a)({_template:Object(s.a)(l()),is:"iron-autogrow-textarea",behaviors:[r.a,n.a],properties:{value:{observer:"_valueChanged",type:String,notify:!0},bindValue:{observer:"_bindValueChanged",type:String,notify:!0},rows:{type:Number,value:1,observer:"_updateCached"},maxRows:{type:Number,value:0,observer:"_updateCached"},autocomplete:{type:String,value:"off"},autofocus:{type:Boolean,value:!1},inputmode:{type:String},placeholder:{type:String},readonly:{type:String},required:{type:Boolean},minlength:{type:Number},maxlength:{type:Number},label:{type:String}},listeners:{input:"_onInput"},get textarea(){return this.$.textarea},get selectionStart(){return this.$.textarea.selectionStart},get selectionEnd(){return this.$.textarea.selectionEnd},set selectionStart(t){this.$.textarea.selectionStart=t},set selectionEnd(t){this.$.textarea.selectionEnd=t},attached:function(){navigator.userAgent.match(/iP(?:[oa]d|hone)/)&&(this.$.textarea.style.marginLeft="-3px")},validate:function(){var t=this.$.textarea.validity.valid;return t&&(this.required&&""===this.value?t=!1:this.hasValidator()&&(t=r.a.validate.call(this,this.value))),this.invalid=!t,this.fire("iron-input-validate"),t},_bindValueChanged:function(t){this.value=t},_valueChanged:function(t){var e=this.textarea;e&&(e.value!==t&&(e.value=t||0===t?t:""),this.bindValue=t,this.$.mirror.innerHTML=this._valueForMirror(),this.fire("bind-value-changed",{value:this.bindValue}))},_onInput:function(t){var e=Object(o.a)(t).path;this.value=e?e[0].value:t.target.value},_constrain:function(t){var e;for(t=t||[""],e=this.maxRows>0&&t.length>this.maxRows?t.slice(0,this.maxRows):t.slice(0);this.rows>0&&e.length")+" "},_valueForMirror:function(){var t=this.textarea;if(t)return this.tokens=t&&t.value?t.value.replace(/&/gm,"&").replace(/"/gm,""").replace(/'/gm,"'").replace(//gm,">").split("\n"):[""],this._constrain(this.tokens)},_updateCached:function(){this.$.mirror.innerHTML=this._constrain(this.tokens)}})},171:function(t,e,i){"use strict";i(3);var n=i(4),r=i(2),a=i(5);function o(){var t=function(t,e){e||(e=t.slice(0));return Object.freeze(Object.defineProperties(t,{raw:{value:Object.freeze(e)}}))}(['\n \n\n \n']);return o=function(){return t},t}Object(n.a)({_template:Object(a.a)(o()),is:"paper-tooltip",hostAttributes:{role:"tooltip",tabindex:-1},properties:{for:{type:String,observer:"_findTarget"},manualMode:{type:Boolean,value:!1,observer:"_manualModeChanged"},position:{type:String,value:"bottom"},fitToVisibleBounds:{type:Boolean,value:!1},offset:{type:Number,value:14},marginTop:{type:Number,value:14},animationDelay:{type:Number,value:500,observer:"_delayChange"},animationEntry:{type:String,value:""},animationExit:{type:String,value:""},animationConfig:{type:Object,value:function(){return{entry:[{name:"fade-in-animation",node:this,timing:{delay:0}}],exit:[{name:"fade-out-animation",node:this}]}}},_showing:{type:Boolean,value:!1}},listeners:{webkitAnimationEnd:"_onAnimationEnd"},get target(){var t=Object(r.a)(this).parentNode,e=Object(r.a)(this).getOwnerRoot();return this.for?Object(r.a)(e).querySelector("#"+this.for):t.nodeType==Node.DOCUMENT_FRAGMENT_NODE?e.host:t},attached:function(){this._findTarget()},detached:function(){this.manualMode||this._removeListeners()},playAnimation:function(t){"entry"===t?this.show():"exit"===t&&this.hide()},cancelAnimation:function(){this.$.tooltip.classList.add("cancel-animation")},show:function(){if(!this._showing){if(""===Object(r.a)(this).textContent.trim()){for(var t=!0,e=Object(r.a)(this).getEffectiveChildNodes(),i=0;iwindow.innerWidth?(this.style.right="0px",this.style.left="auto"):(this.style.left=Math.max(0,e)+"px",this.style.right="auto"),n.top+i+a.height>window.innerHeight?(this.style.bottom=n.height-u+t+"px",this.style.top="auto"):(this.style.top=Math.max(-n.top,i)+"px",this.style.bottom="auto")):(this.style.left=e+"px",this.style.top=i+"px")}},_addListeners:function(){this._target&&(this.listen(this._target,"mouseenter","show"),this.listen(this._target,"focus","show"),this.listen(this._target,"mouseleave","hide"),this.listen(this._target,"blur","hide"),this.listen(this._target,"tap","hide")),this.listen(this.$.tooltip,"animationend","_onAnimationEnd"),this.listen(this,"mouseenter","hide")},_findTarget:function(){this.manualMode||this._removeListeners(),this._target=this.target,this.manualMode||this._addListeners()},_delayChange:function(t){500!==t&&this.updateStyles({"--paper-tooltip-delay-in":t+"ms"})},_manualModeChanged:function(){this.manualMode?this._removeListeners():this._addListeners()},_cancelAnimation:function(){this.$.tooltip.classList.remove(this._getAnimationType("entry")),this.$.tooltip.classList.remove(this._getAnimationType("exit")),this.$.tooltip.classList.remove("cancel-animation"),this.$.tooltip.classList.add("hidden")},_onAnimationFinish:function(){this._showing&&(this.$.tooltip.classList.remove(this._getAnimationType("entry")),this.$.tooltip.classList.remove("cancel-animation"),this.$.tooltip.classList.add(this._getAnimationType("exit")))},_onAnimationEnd:function(){this._animationPlaying=!1,this._showing||(this.$.tooltip.classList.remove(this._getAnimationType("exit")),this.$.tooltip.classList.add("hidden"))},_getAnimationType:function(t){if("entry"===t&&""!==this.animationEntry)return this.animationEntry;if("exit"===t&&""!==this.animationExit)return this.animationExit;if(this.animationConfig[t]&&"string"==typeof this.animationConfig[t][0].name){if(this.animationConfig[t][0].timing&&this.animationConfig[t][0].timing.delay&&0!==this.animationConfig[t][0].timing.delay){var e=this.animationConfig[t][0].timing.delay;"entry"===t?this.updateStyles({"--paper-tooltip-delay-in":e+"ms"}):"exit"===t&&this.updateStyles({"--paper-tooltip-delay-out":e+"ms"})}return this.animationConfig[t][0].name}},_removeListeners:function(){this._target&&(this.unlisten(this._target,"mouseenter","show"),this.unlisten(this._target,"focus","show"),this.unlisten(this._target,"mouseleave","hide"),this.unlisten(this._target,"blur","hide"),this.unlisten(this._target,"tap","hide")),this.unlisten(this.$.tooltip,"animationend","_onAnimationEnd"),this.unlisten(this,"mouseenter","hide")}})}}]); +//# sourceMappingURL=chunk.b046b37af037dae78070.js.map \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.LICENSE.txt b/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.LICENSE.txt similarity index 100% rename from supervisor/api/panel/frontend_es5/chunk.1f998a3d7e32b7b3c45c.js.LICENSE.txt rename to supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.LICENSE.txt diff --git a/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.gz b/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.gz new file mode 100644 index 0000000000000000000000000000000000000000..143465c015f0b738c7ae5078ddba78b5453f5122 GIT binary patch literal 18758 zcmV(@K-Rw>iwFP!000021FU-abKAJ?`0wApLeb1-#D-R^^xBofX8Lxs?`}Iy_ItUW z4r9|XUuDWe(K(*2|NR4yqC`1L-?>Ljf*=ThAOJ!CO1no12$!`Eva7?ShN9KaSsy)4x^eU;g;><%g@w)I6Bz#p(Y_ zDp4%cdvUYj^KXBuO0{86Ap8AvM$*l;S|!uzPcyp9-n_||TQ$d(6GH`+WEXF7d86gr z#1ok=5T6jV>P^V?yJMBk3XucRDlz2v*i6-oRzgc&$iE8!?X0M~O{qEp*UY2zzIyVnzk-@_cw?Qr$~4 zUnK>o5AAxKFPWa)Xu-ctEFjC})UN>ar{md-Ej*WZyx0QuB|932bIy=R$~T+hF_Cmd z!m*by)|qr`t9{KFx`W-#kH$5r6Wl+Yq-nY$JxZ_g-j2&=$JOAD;|?q2G(1l2>g%); z#zLs6f#s>3kvdrFH86cw%0)D;>p4e#-ICps?X3LyEuEIL9ERXjtYsxY(^XmAiDXGq zhYd!XG{~kwCIpU(P&nkom;!?{wgH{Msos>8X(UMcsyQ&B8hN(1RudHPHDjzeK29Vs zu`ch#bB3%5-6oQdngAzMrj_9u&Suj{NbR&SwYmTcU5NIm49j8v1i((4L-3V^^Mcoqa6i2OU$!CXagV@U{D#_C`5H}nCsnqB&nMti(=1f0h$(A`w-*Qz` z=N%OV;^AUZ!Q|8{VwBBLRfW~kleJ$3LZU)ZG*oCo0^wvB9K1kVI-jv+QVj@n_C2lA zFe>HSn$81(ys=sh_VlMI$K}+(axee+=3u{H8& z#jEH>2o*K?%pwAZ70D`6rHQtc;5UVc1A@yozd#RVx!rgUrlRE@q9dV+WC0`t$a}5% zBW7HtM5*yy&$(#=B(N?CnN9Avj%4lDSljdXe<1!q9@Ke`4RWyrDSW_?Gw_iG0ZC=r zdR;(jc%3RRYbMjszj>y;{;k^-jg6`rCe%HQapy4CDLMv2Fdvz9x>+DsO&VcRoCM3e zP~U7(;U-!iM$(?Y^$yb|AAW*&oZTX~KK*SlP(Mw$O_UFzk+yoX>P}vfbSaA>8N1X8 z{m5Uz*3xBBf(C6u5W}+|N8#_e!Y7C>*d!!ez?B;{pDxUS!4Ewko0e* zR7pIF!N31=Nuo%AV`+1x<74-m%0tofnqnM34)YwjMDij*p#D;9>lDui*4-gf@>KIG7n= zrr=mEIh^4xHIdedx@C@-z^oVniC>WU1vw1Cbiz&l{2>{?3H!pqM!I z_;{2tHczEmh=-3$hZ!QayWU~1p2rRi$4$sU9f*dV^<-DB;SlG+Rtm~HgW%5BQPr8``FOuK?=sLGw&c6) zV%eQvFrCA>?aY@i%!?!&Nz(k4Cof+J--e#Vzcr{ypR=(u!IF*Jr0L!GqGaOKXJ%n+}^hON6)Jcv2qAsfPv@+S2` zr%XkYp=K^lyHHGs%ZJ!aNI-f5WrLPTn_n$Rvn%%=yY-(JEvmApI~y+ZHC@XE-cUDG zs71c0r)qizx3v6rYQRGUfnn zdLp|tmF>P(0ul<;UgvDAE^yZ0Z! zF=$SoVEbWaQWw4oSi=M9 zS1oR~vRM447D5+~K%@-;c=@CdVWThsueke?TwAs1VwtCqToP>W~ zHc!J#)t3ppFcSU8LU}TsI398+h=(^K_n9A-^#hKu3m!;yF#j%+3dRV1 zvZTZ7)^q*C#T@j&xT=5Ou&P1z{|mNM4cJljtPNFlZ3D=fWpu;R*L1FERpjh zJ$p^ljN(s5XpGR2R56acI-_Hnb>MPq5IzQI`ufKZ-3|FEey}oPGr~X!V`Y-jwTHQ& z=ztp!6l&ohSmpW3FbL8|7JvBydE4mX%a_H;moF*)zSv_oMF_#snBLjj%x7_X`LIdi z`SwQ6M>pc{Qs^&VlKABDB&LUdfi8&&yDuAca8Roc=v5t!N=_|qjy6bnV) znuVB#F3=TP&K=~sboa4=Nc@xmjH}F>^u^Af-+Wx>UB}e;{elh$({7pYexMVj~*3nwYOSS6+8TF z>QXhI%~5@TU~k~Qilv$Y)^$^l>M}7*r1yJw6^ABpjK{%MuipFWl^kgYx%BhFRtBe= zVETifj-VPOrqW*gsQ})Z6p>8YER<;y;9IlggEF}hJqb7ALL4!6jkSdnCP@x|)v2Mp zPGqZpTr}7Ls(rT&e}t9;3sUZHkp@=EPRAGGhb%WgWGw@*bP0D@__=g8fTrLIVK~O& z&Q!7tsMiU9vgi<7o@GM&+upxIGg$BVSTsz*|9J*&c@Y!^6&YoDuU{tz>y;oMEuOJ1 zgWKZ^Q6LJOTA!HPuEWzzOyZ~6IkWhQK0(=odX_%293LO+AI^>#{3bByC;1N<9viiJ zA#=Fi+r9MBm;&SNok$+W;iTvvrcWzg3APRW$fcdYDu8XcuAtu!69s>mObWUswJ6|7E1cqFufuv@ zV+evxXNO?~#ZIt2ZIht5TrMkNpfNAkn-W+T@vPxlxsc;NFv!aOCJN*RBbllhX~}EK znQA^OQLONk=X_G0oRCE0#-(lz=GQ`AE=&W(gTgPeygW_#2#nKnhDd0!sp~V-G)Ty4 zi`0Uc>Dq*9jGJm&&ZuxNUv&F%PNY?-O_B_LviHo5MAN{sxTu}C+o8k0)#X+#@@d?4 z{vH2pXa~4L+X?~yM=s2&1$>sbE8`~xAU`bt^(X$WG^SkpnIX(i4PpJce-TT+ zW&rW?I*6M!qah^_c9`(@8R%;adqZj)R?4urUJOsyLp<3)f?+9#NqpuDxvfIp5XV8o zZA2bDxXF= zaGe=la}8%0h`I&{6w{_{Wodg(jJ69B;Pi59kQ~f!T8-WLu4kv|dYLzTu>j`@)0&oD z*LVEFP1mpN`)=u)md_NMKU^j8%9u@ldU}6I2R{Nqp1_S|J-#4KPB1a!`tX|^8&;I#vEkTb-uX=ecW&Lui| z{AxUofxlt_%R#gDo9Q_<;=x?4_@cbWISSSrZyqB5zs)Q*Tw_qEfy~1o>M(jevG08# ztuxo9jpM%pPfUkd*q_DYQuDP4(p)i6n1-z4UMg5Pb&oTTkKJ#R$Ci+2AHGOf>T(Uq z@$>+329aAZhm0t&9HISWLtwHYn1)7|ZTJ@uNyw)g2yV{MRZ%m*nV4#ueEAf_zYKEE zMY(Nr))ezOp+~a%RVv^VI>Ut>udc{Z49Yu}NR`F}7v%U!jlawOMItxC+zX+iv3)v{ z0kPU;eLynEf4mqm9Mss}Zel)%BWg2k1h{40V~bxt{`Jy-K2AS;y#9Li+ow+-KVM(| z^7ZobXZKbk{!p5$?FJt^iiKq|rv5b?E)w~*!7cdDI+e$dYpY@{HU*#KrGyVl?Z0`q zazyKLA)x-nPhybN3Cfwz1VPA)C$|OImpq0U6P0MnsciE)XRWfy+rY$pli>)Ve%uka z;|HJf36+@cadtGOB^$x@h~nqR>fFDanp7tzK2evDs5c8tT6-$&rWEJp_jkRDxE5B0 zMOjv&c#JBm$LQv zhqG>LzsDy>Wg*ggu2mBMA92&Y1E_4N_#}1*CR(&iqOWkzLMl^kqWe;R!(&=1z^qbJ zA~*j18=N$NDnjw*iI$!bdrw~sh%BBL8TX^FsTTXm>p0P}tV*zWbt`n|I~+F$`(ck! zn{)U^lXW!Tq=h%te}so`;l>~@2y3|pWkWlo_6f&+zSSC#p-3tA8@{c?-hcEA>w^0^ zJ{>OhOQ~eF+G9}|r#Pf5!%goy=vT~E`o5^KbND&V_b1rR zav<0CulxW4b%S~$;4i~J_}GtPqrIJbu6Pi>OTgted_xJZ?0m(3pJBgjAGG>`|7z6x z#I=#Uh`#l`c0cg7RfRekN~vIn2-O1{Hl6ho7D;^9xjkP^X+=aA=byxsv|!~)Mz@T2 zQHai=SG2tq+tMYQPr%?xFt(M8XV9BNuV57+umo%Ap8<5q5G7-53!RD;fTG;~?Ci^m zUo~8{SJbwz%X~@gG5F{VA>>4;g@*x~2HI>Q;y(tTB=Ze%1 z{V{|mn%eo+>Y!OPO;UGR!uP8`fkYz__G(l{9lSOU<3f;8N}|6PhUGhE(pH(r$9Oaw zeb!{iZ?p$aj#S8xExfgQ?vJ7EU~O%j14>`L`jnH2@DF9EYV`A)^}E~t%62^QLM(%}F@ebbgG^T|^3{g08q~hHIKkl3Sxz|r#zN6GijmD`}lbd z7Am|~WpZd97Kjv<)dGP?XGe&N-MW9`7p)q%^9FC!l8M;p}veDUS^vI{lk z#xG~#-~vE`n4WqlV?I) zkV;TZtM)cJIUSv*MpP!jH_}IkFOdK6xLFB>?Z}gjFaru-oS&UF50B?CP@q5Uzb&_U zgR&V-j3p9jKSx5@C+JmBwrRTz2NTUo2*iX2;0nN%19vyVEz>Y^F`e0@fzH9XLLM?d z-+KQ#_X!ZBHq-eG(!oSSG-*4Pt-G`@(^tpGZF}h^t{rYROICDgvDa>3!$jIs^Z&H> zrR{CoN~7QJuaMd0kTE1nNmnYYZcdxNTbJC#eU~G6%C7f-BqIy{ub-Lz46R8zX zvtwx#SCMw=(Z(zz6n*>dInW@nwM`7yP#+Ql_K=pcOIF zE)W4J83fcXV1!SRpzmu?ou>apx0WsGW>XJwt$RkpkL_Ca2c9LHg|2<7$o)!Jpt0VGGaBH^h9Qr@ejz90 z$D)8?&fVM`+0C9mo_xBHafW%NMq8Evsv#UpG@d2uQ99Hkk)?Hr*Itp~pFA?yr`(Y# z^!HhHi}v4u%N>$^#Df3`?;Kn2WzLmh+AQm{ZiKe*&h+2kv z)z?CWEY3+HDT=3G#bp$SgOmisI0-1~VtWCHVg*bX3KMfBg*X$%g*!E_>5fQMd(5gxIIwdP<=l_guDi3H3y ztYx*xIaY;@cBwmh?cqE=)^PS%O*t6XYFOTIHaj)D0B#1yYQ$p*x-`GEeJU2ov{Z3$TvySLXD|m z=+b^i_z1ONYY>Hg-LxQX;l`t+Gs?IwI}5DlmRH~Eh5<$B2kkC0u+5@K=M;;1!tFUT zMhRAl9lc~!o4xB>9SdBSaVHg(uia8n*E>0`MWcQlqC*U}QnmNa-5rS`TAK`Vv|==b znHQ_RaedMqnP_N{chg8&zZnH5fH~X^&jZ|E1TgoQrg=8sWXPFVne9Ythvxyi=A8wT zKqE^*|G2tCXPxr1ot9%Nkm(Re^Z z7wF@GTa5^X(fap&61~fxYdsXh*|n;RrK|N6wn{VF<>1R*_#N z9<0IZ$HnEI+-N0A4RQ-`XV#!>7l<>^`Kp{d5Spxov;<^}9uN+if*R|w`Aei$ncQK2}snByq)%*12h?AwAlTR0L1 zKjlb!jp|}VZ5SCNA+C4?#mJF4xIoxg-vITA9fA19LWo8DY9>ga63x4<^|TNcBvxj3 zzfBQ^?nt`$DKcx7`VdCm{TYe(vfFk-HPddrud#mAx@bQAoiGiH;{GG(AhL406V&r= zOKl{7FA|~K01wo-UH;&qy6+^Qi-V^xhCmD5i1t)ZePp+vnm(M0?~s<5vj12kx$`h3 z`~bvw!o-G{?WH@B!)fcW02bI}r2Hcy}jM)RFMFT07PWog39+=>*Tg z;a)Vaq$;Y|+5$#sR9CKt9Z*cRbtv_ZD7v#XfB3rwtDw0VBaJ86>x@r2zxV6htoNsyc;wZA!or_bzo zCg=o)uif39XYIhq()?IzI2~;%ch?g~kc=;qD3b3)16{61w1*(w-oBX2M@Z(k{9hsu0ucW&of#f^BpnzU}X zi4zlvm3@aMfqvPFO)7P9awE~tq>!H72zy1MSfIu&D2lKxL~a&Ro8>c>?HJqR3U9&G zp5!j~OfzCPvQ!>n^GoQp6+nK~q7@FKcxpKsftqf6uuQ1>bj$3>spCw9_@o;=;;!hx z_1)T%THHYDyy0Eqp9242hZ;$Me`E;@U}bm+nzMKjruvxSt%J$dS`VWr4oe@*Hg}*f z%Itbnc7gt|^A4-RyE_|hE*&0CF7ide$6jm>KpHy?XpzvZC_6FeV-+mva2Zt1KKT~; z-p)aQg>7({mxZX#cO<&glkd$fU`LQBYzQjp>M??>%rebn5gHiBDVd7aevqO*N9!h` z3nyx7pzLkm)|sA@nIUc>*C!+%X(DyFelD4h$}{^Mc4QMu=Q+i5+~O%(ik5jp!{-eL zA~8pPhxvx%VK_1fL^g*$0&k{^h~x{UoHkVCqZ)zH~{vMzzCMT6fDnaORUta zrt_w8$*OaBSOOpUeC8IQ@>1Pm@l^c0Ayjfm z_3-G@cpRg>bE!O2795yCpyI&8^N3wOrlJsSsdV14<*<+0YANY3Chv&W2Co+=7LN1X z`Hno(FeFsV$DA8$_vH0mjQx7`PnPx!}F$6Qr9cduy4JGi^4IP|>KakHr-m%#yl$!s}hl zc&g1{Fwmi?Gt_vEZHcyxN;Gad6oQs!h;4g>_5ushx=3WSFjAW96dKOk#OR-3B#bYu z6b#^9GsPvK{irn}WaZyO0{;F1CRDD>y3MUsihm-8`;QV147qB9bF$mpT6FtsQ*>U7 z7i?pfjerI)wlPdtD|725=qUrb(0yI2zLp$743TmGF$6A0#~@$lJDOoG{^UHK*9bDO zVn7KSvET75pQs%gwqJ=rpnAXAB zXk{c_J_c6}PY@2lv~&7Mocw$u=x_yt08G{8nj=r3A3UOHGmrgc8`59N%r;z$Hg`esFSlTJ6(v3f>+01iQOiKQ4Km*Sv|h3Hnn2%e=6JUmDE_DC|E_k71o2+HZgg%qvB` z8ff&5k=cQVNdo&G5vq-D3KJ%bQ`#5@J43An^(Fe?l|ePrhNu`yFwh+FH7F2bZ|G}= z9`LtNs+Z8I?Sos7-y%>yBM|(I0<8g5+8RLFF|5QCa1m4kztJ(k*JL#`s`4t(0X05uoNQht84C z9P-p+u~6#b+w2Y0`zUHCNQ4tWac8wDaBUTm`U#Cvq#U_~Z_y-JN@>*Q65q0L9mDcX3WfuS zi7?XUV<*_ovr3%fjX_O_^0M4fA*1&f9Aa>uHj~B(V5qSi7hr9_OOm+@v{beZycCud91j+tfkD{yJ7H z04fd5x>zBubi;}mEtoW=xGL$bCR5jlT!EcxpZQ7VK{P#Gpd6klGJ5&+U=)WeX9wsB z(Q~E1>(Qc)(RcGg#wMd4-A42O5PVphy)VcayK>=?1RqS%fW(es|A1B;?rb;L)zwui zmyn5-1?s23b7kW~z8;xrl%iF#@?!)FlBr2mZv)IzQa0}9Lj&$d=O+(8{d8{eJ|5)A z{h*(R_>B24g)*DDjcPh05C0+74NWF((M$ zTw^hmv=>>Z(P4<4C3q2(*B5CR97~P7L;$CAgi}xVr+L zVH|&_iCiF?o3BL9s};m#IciSWQAdzw9E_M{7ph0WqB(rb38oA=HHcJc3((1nLj~zj zK}-c;rVKI#4}yezfSjn0Ig@&+DZR7+^F{q2DdYMiDb01prkL#FbIf(j#gFacGrM>T zFk95eSp3*7UaezMBq!nW?D%Ya_WEpcetfqCcdOCagR_%!Fz~cTrnDt+7TTUd1;~SC zn#tkjMnJiO{nexbT!oLuM5rl6h0;xCt_Z>9&*Axl5AS|P3m0aaMbSHlvx{kGAsC&) zyfUgo`%nv}_Sx}}Z$8ok{3$rDcah~QFA07MAr2VvTezYl?hvV6X`4I^mrvz6Mq(gZ zU~7J`2xQ9#F2o;~BDls^JHByf=xTX922v99{^%xPR1o3C?Bs{D2jMpnM4W^_+6t-Ev{g~Gb-RRMnjoKi!e=6Qxm3$;KNxEVWudCiylq`G&8Y1 zd92B@SYO1lQ2M%wL%P=8^bZ6N!h@-1$~W$OwoKuZL&fdRFx+;1!rl}^?yD*(o0e$r zhiu2Moerh!&Y+3RAd=-HWrW&~2FR@VByID;O&g?oIbf=u(;EQG8nDip>UW)#iPGer zB}v0kR@cnLoVl5pLZO`lGK-GWWeH@Dq2-T9f$0&K1}};PxR+qvXSm?wOdpp;0$cS? z-rmVKcb7MJC49YlefR3-?iC#F@F#`n+q>J_I|yy+yUk@FDu)GXO?sgwJre6)faBoq zqd-G#9jKF)yuK^b)!jAz!M2}(lu^^H#8NZvN!u*8WG(u*Z~G6ZwV{-s-)bC^^IDI9d1)E;slJ8V7RctHBg!b=?;^&g+vtKot{?c0U|$aOje&_k z+eNm>lN0so!|US+sNChx(fI>K=L%z|nOuCn3r7jgcPe07|;d-h5+2;V|MN@)n9K*;A;b zi}paFt}9H!e{2j{!uMjiJc4xyNa)vHAdxUPg0yKQN)teyIidrfr-{FB z(^};NrkN=9uUvlGNY>d;yY54X)d9o||2#Yw8T@>rAEr;EhS#<`wlZEHyw$bqVG+NAJIPna&-2%3~q{I5)2aRrqA2hmYv}_{vaxfib zJ~@z0Ws|v5D@LNnA=+bFn!_6ogTNECQl*=UhuH=X&=vlCK-La;z_!|82oshT*1*O-oVdW z)y~`SrFa{)+J>cJ+m@Iea6M**#j&B;JXPuuD-Pg>zNSE@)uft*g}+Rax6w9vX;cSa z1Hi{0zfpgy@MV-FRrodn5DY-eF+F@0LDLZ?yoegp)YniatmilCXAR)sG8yy!z5$*q zb;aE_S#tws+yMN#Xq<~a#fg4`e}2I~&tN{DJ$}XW@eJnUH0dtuSIcMT3s+{@C9tCq z!NdjpiNsU*o8V}RC-gOg8hO|sHWTvH%*K;uDz@Sm7=A_a(DHbZY+y`QFbXeN(_|x7 z{qptD^9Fa)P0CER>!n1mSj)^&x($S3=rvmiL6tJ&?6V}vEULB9NYx-ov(+M@aa?^Xs7FRG^nL53xOwAv4qr>I$~^lIpPW_^EReSd1h zJhTIkFaRAGyaQ2KvgsgjXQLk52}Fy19*oJI6AY;mE2w8}#{D!jSKRTKeIa$Z3{0G=;ML0n|yO53@*NzaY57u^8 zLb6hCZ)&QM+>bhSa( z?WPO;m_Szu(TC4rY10h|Y5cl;tGR!QSZWdcv+Rnr1(P5zZ=!&98A} z4ugeN>$s0I=DJ+%p(fUJb{pPtHZnACoq=ve47JJlJVFOpKCf6-B(>Ew6XxC0vHc|)#Bdk=M!uP4 zyhf zZ&;igxAQbq-Suvp*cR#-qL-PGj)OSH{!Hca872bG6^M72==kJ%TOx57Lt9|qcy>#% z+eOxifmO8%wOV2U?n3BY2YL4H5!~=zU!KgpKir`wJHbS_(00|BU@|@r)_L6~c;b4+ z!t-Lp-ReG-#qO|7$Ftw)N)$EH^$G6xU6fVuy5V-i5q2jm7e$vh+1f$`jUP}v$521Q z28Jr1@$O7$$Lf?)UTmSDpMa(+*Ka{qZHnw745kt&p}URx9fi7(em^B{D}`+N*>e#@ zDbv+kDi2o#y{a5i&+rNDkil?cJhyZ?I94jj%JnzSl4qX`{qPdY}eaX9_y5H(IH_= zPIJ!zpMOsmA`+SIjat58)Q^C5)Yo`8KxsZ_lsr6sccvCbW>EI-LeB!sy~hu;Fr4cI zL83iae$7pS1oYJQTNW4&&@rr&Yn*9SjBziT@xow}U0Mg|b*_^2(>Llh{j~?d)ZOuL z4&TUn=Ws3`+oN%*JHk>22~r1NI zQMhg`NE!Qj=ACSI3gW&X04e?jW1RQo?%wL6Zr8VK&U?V2?cMH~XyIRh`5(CgyGyTK zU(2Z<@grIX(4y|{e=B0_@!1#GP4=U9dB>g%*oy|@fDGCpAJ1s}7R~X4{(G(2ShT_o z(uoNdQ9(>Ggl&G2#&ZilxdOK;bePwB-EO(j>xDDk_4+6-yg4u_<<9H?)#Wlg*n3}x z;Pb=F(DNeVlfS}Sh}KJpPe50$W zlij`2I30h_)68C1dr`%NA;|qZhw#|$gG@Y)`OX=2jBPKh#Qs zpjL9o-%3jR<6CK+5__&qNxM;2R=!>P^NZU5qJtlJpqj*(bJfwJj+K#81RFVaGv+y zfBSqt-rIZYupbzJ{m(HBthz2OGao8HsrU2}`{-uaMdmu@y-UgdF~EZMGadYFx-MfG z4tvwW4f^S}+S-SHY)HEIwJ9WviLH-`J! zhUo4ZCiH*XKEUP3S-B^c|NOq5b=>M7ytyf(zn%W7=qR{HRg}?R)$k?G-w?mY`oRNa zcq{7y51JzbYi;1#%M9^%V88Qxme0=pN)KU{xGk~|UTJF!I0vtg4aYC*&QZHbsHk_4 z8~%1do*V!O?QZJ7yTd!0f7-cpb~oU^h8qiTf9j^#gi)g$Ae;$}ebzz9jPS4w7~lD; zAL6f=oJ>smm-jG7is#swRgwK>EpF%$x0LzA+iz?CO!XW0@?TmA26P?KB8y)%MPkaV$-K-J2x{|Xc>sf3?qO?ld&xPabe1rC zsjR~$9vxNU^My3(-*4A-miRqhF3)`)FL@0?IrAJ3H(W0Zx(ORP!zAFnmuQM6N|;a6 zDAt(rq?jTjF|)Fgz$1m|D9)Rqh0ShM9&SiCo( zD~@sChGn4GJyJmD*|jDDtszW)5`emGc717D9_L23<|i{b?O`p+sgW$ROLC=tT9BAO zEX_-Ejf-`}4eKJeysmfPtgYt-Gf-&VLI7bYG`Z`*uq%H$DSfVG7l4jd*7MaQVQI}L zJzf3jc=}oMbhQgHVW~~?kTv(obY*4GNRmZyeBEmbOv*LQAnbq4tS20rwt&uc08Q-tBbd?Is~} z4@$GJ0AM!Z*~Oi$-mE#xU5j_g_bvt@?G3;i!Xz@aY7dfgScOZ>17{d(D)noK9-tap zANDwPN3=xhQJw)6^ehVNN#EPE8<`Qz4;Hq!-*~X@-898_ca`TZ0tZWNjen$WCV0%D zmuGkCVIVLnTak5_Oscu~_jXGeiM8gY@M_qy0&QD&dOoB?CxSM(M~6=0acx5I zjN;bbL5C^V@=be7Gf2zXybInuB_84`=>?0#p_;ttfY_^blC*c0=+*UhbZ$LXFdbb% zH%Az;+NnqTlKBE=Me-MuP6~Uu64RV)OhsErD zaIRdNOM1D*^zJvmM}^awNUv^g-EdhQLF<5&l`*V&x%3FxrhH$eP@59Yv8qJ3>PS@a2l!M^DFWgMU$lz>0PEl49Qi!M-* z0EMq1qF7{MDoVlKjA9IP$b49BRi56`-F)k4fr)Kv$zeoGr55b1g|rl0w;~U>h}X?4 z0?04$>Yz4-cPtOA`(qxuF$dxj-pj6H&2gJWbld>IX8Q(VEWE*v3C)Ef?_LTihOgyl z(qgoJOG$8{0|Il`dyUKvyhdh+T_ZDbG#$7}V)DM5Bs))1p=L1k@WEp9#uId#8|UTZ zIERz}=-dgHzjJW5(ouK@10<*w&`=rs89SJtH>sQxcPcS{$B(AytJK_CbmXkjo;9V~ z+%hV(o=43)j>~zY7^%x;fNIC=}KlbD{lj zEy+djb(-Two^Qm(QR6kDs2tu=P3qIg=$iy?y(f4oy<+5OB0q>9veAa>LJfm{ETm)-tA9jhi9)R%GM2n2((@BTSZF`BYj)E4eq z;4Rq-hxi~-jFF5Qt@z(?@fThMYvDjTWi(kATG%lX{+rgG0!85BD7b)mpS+#Uy;JOU z-cTPWIlU2TKR_~t?nRzs;P-dVl=l96mRKFa80;in_x35=CmpR`QEE>A08?IMMvRp? zys6YMaXr328siD|0;6*e$!x_nqv-8;NR#w{)&x(KPW&%TJ;6nL<$-@826HJ1HW(*6;Aw+x^$x!(rTkTfzWtub3d(p_rmy37 z#0PTnAj(m1-Yx%fmXF}yW9292D-7Vj_@=1p(K`&%zg1Q#RVBdj$^q`hx`6kOn{;+S z7LQ7}Rp9!w5|#Jdc=XA1x_M(olWX62G~2uxRmD16S!vo&ZajMEWEtNUzm9P^q$M6S z@dzE^rho%&81faf4-8gs2`^5(jz>4yY9(`%v^&fBb8?#@88pW1_GmP(v{<=0QMuj4 zMH`QlSE(^ZSn2;=k?*7NI4g^MjC3--UE3C#ap7>O_|kolAG2jcaUNE;q8wYAcoA>hmO=JOEl(Li(*D(EtKE09YHJ+kbG< zSxvL)^dl=bxohr38yDD~8Y%HAz0KBdeaV)mY+o{tF8NwEslRWQIW3NP31@f~jFrPl z)LN4z&g6kL*x3ea!#(xB>!3>Bdq=AGF=B)tPZ&W``0UN2%cJoa2q8HlBr(EOR;dWp zh!eB>s$vA&7ptnsz8gp`z-`bDC`G#E;hFOB2eZ$na~3#{KF%+y&3uG{k7AUr0c8=j zEs0Tyu@@3Eu5ioz=Rco*|D99xW8hPc&~%;J8H_IBHd1j=^*$J-WtNT!l_dcjpECH0 z>V13y**o3FzIwV!-AhN1ML?r2(``jy2H+;eja`?}x$KgPfkt0lbz01=G?N48dYxuD z%qU>Hz?@W%834Ozpo0e5j5ZEMzJ9CHH~4^o^B-Ax`@0v6)3ZwmkEHITwFY34c-ve^Lp5QVD-j34c-v|Ibkg zXJF6*%2XEnwmRy@1L66a%GtX$DO4QVp2or5iBXM>$};pLXEH!>I?u zwOD&JGtepPPKyK6Ng9RkUNSn5b##T%>o7tFRvh>@Wgsr(P5LS;$|_!hfK23*^jvHV zFNB#O?~02`mT;!W!Apz*1{T`MuL7Z@CHl43yr{FQx1d6^6UeOk_fA%h-J2Z;HYQ1o ze(HkSF%wN`tVs?$I4Ef+U|gT~WSb6TvzH>}<@QkC03HuQFkX=w=C4JumT9hmP{7B_ z(k*2tto7JR;kDR_rgiAnv=e4kIbBp8_r|LY=#~wU+8_n`p&ASWQsjzvs*U)0X|yCR z0UZhA_8(3-fxs$2kZMgTK4LHM#D#0+eVVU^b28LURGm7J<2hVgQoH%Eq@i4xj(O6$ z#?|3S#B$gr*XX-)vW1oO)~Q~A^gV6A_zlEcXECYCZ*0OL!> zUK%?(wU7@*-c+8hX!Kkldaffdcm$E5H5l~TEd^rMbE2T}Dg!5Vw_qh`u5kpGL2%Aq z*fduB3Z3op(~x$;!m!DO9Ua9cKBCr@x)jNlUnX`QX(N@ueuk1<%s;*;PrkzEnu+WJ z9Mc+P->SE#S}Ef?h8Oq%S%s5c^XjJG=82h)Pp)r8@G*$4=Jw000Y(3PThvbcUnu^A zM_)S8k12ZX0)IuZ*BHw__|NhnigD0s2%AX?trlA@o;t{7cvbckw?p~L=d=Ct6_%`^ zB&8%tO4^d76#o}VQu>)A=>;%4w)G)*ZvAY&y3sytvp^8TkLgh0j21vOoKBa^L71U5 zkQ`QcgD21KUdF=*HBba~wizBB{{VDvYnyZftx=bCWDXQLK7%R!m;4#An7mi`nU_Z~ z)(i<)Tp`z`n?G)##OQ<1X82!Z6*7<$u>+MXMz3$OT1GzR))yXrn0^M6IbZ(K;CecP zkB~;&e*|AjiSz|N<@1v>9n+6EME}f-5Amo%=x{oj+HKx7pR?)S%(HIhL!0?c@jCxa z4W0d-hEDI*&~MX~{FnSk@_jzkSa!KSnjYFh&f#5EI#G>s!FaJzqhD~9_u zy~nx$noX^Xe>rqzn76q8D;z(ZBHx)BdicEbHh=Q4FUw)=!S(k3=i41Om~^{o@4un% ze@O2?#a-q)YzsJS$3`;+>l`e`K#oxx+dn3h1m%j+r_qZgP}b^YDo)O|ex6O#2Xy{|}ux?8!fP>eT5v-fp^6=Rby{`TL*P`)o-jo&Ma6G@~mx zO%9w>B$fZMoAvNXWkU1Mor)Ld)$qIyAG!XM^8HVtp$Y%kNxa-%WS8R$`D-Riyd8*< z{_{|bX3_rxbBpcRKflxegEy~5)xOWE|3pvy?Ek`vC+|1j4c(oX@uO)qI?8U*r9_(h z7&@q%aSANuU#ii+JO#3Rf(jW;Z6r7LGJBAx<1gDQRyVS0-AyB`rYbD4Z?!IJkWJ!G zzg)7|BbUtma>*2<3zkbd;~og)`aP-ZGP~H;D1I!9wTuIkT&EYrw*#emM@)HDxWYAC z;CBUC=-EUiCCsdtenFm{(*PTRUOxJ}B56cBj<3r2Yg}_NRGWzV&v>fqIkGdx5@I z?iC13&$TClJeb_N;2L;tdT`$Dmg(V5K$!7)Rk)CPNeik40ZRyXrYhtUAleVv9mTzQs5!Rl5L}=k%`gj>wTn>1uHGlC@CBpc-q1AnRYuE9J@bGo zsWs`{Irmp@M3L?Y&&a-uVp|I|YY^R*wUPHUxA@cTsFp=Idbh12CxQB6* zl`x-uaztTs$iU;`pCmR6Y6!GoNS>&C9weP=aCxiq4jTRSI)j+!xc*V_Xg9DIEG4kM zgQo?S!s>iwd5nBk?#Rh`#cV4~DP<=zy$A^0K z?lP@p0Leitll5@{yK-yF9M`nh<_N@ReFJyQjW~ATuxbUxO&-?@y0U>v%tvME4jyYL z+RR;gVi8iWj^(i~_bW10CHe7xV9bJgN4h7fiX?!0Wgx6*EF&Se15q5h36?D?ATyBS zW8Q9&lv$`@JEy`=xrRvo3_z}imcl}s)9@K^iO(g z%v3DB2(wz5gRFZ*@^+(giFR;yq6lt_Z6)z>?lKSoZgd!_erTm)<_Gi?3&ab)36I!Y z4nkk7x8)&lb-FQN9yo(@MPM+L1S&{$=%Q|BXC%0eov^5k`%o6bZhvC?e|Qd>8bwK7$yR@NE^KZbtX^Fwnt8PygbcR^NvRqQdtckiY*p z|078V=y^k(>_qnv?R1?_Q{0vBbtvx9m3?F9_7HcH+dV&RFmuTW(Ajx!Q)o{IwzgA7 z`=K_Ayhpu6e%Z#ob~07vNt$CB*sOsfAk|+2rWn8Gt?TKsK8MmOb&0iohk7AVBM&c` zs!IbfctypPHw{)E$QOpSuWo|C5)p51+mG{uFTY{@cmP2cxRkmY4GT zbc41tKRy30xxCrtzf3NspL}-l==1by`snjjDnI{X`uTM7Kk?w&{4X&uAx2aY0RXym B!BYSL literal 0 HcmV?d00001 diff --git a/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.map b/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.map new file mode 100644 index 000000000..d74e36d9e --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.b046b37af037dae78070.js.map @@ -0,0 +1 @@ +{"version":3,"file":"chunk.b046b37af037dae78070.js","sources":["webpack:///chunk.b046b37af037dae78070.js"],"mappings":";AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.gz b/supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.gz deleted file mode 100644 index 2e6660dbe260591d7daf4e66766278186a1a24c0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 4604 zcmVb)pLFKeIFigA0lC!i41-K zC(Sti@B4y4U|G(%d+*M)wZ!q>CkScQE{jKYx25&{FSHcf>SW~kdA`8KcBj{9KEGLz z{q6U^UoLl|He3qCh#?B^^POgyHj39KpFU8PiAtdxOgQ}9!mqTyKe)luurZ^E;k{yJ zrv#!^9>(*kGEZA3m)RemHg~eUzRtCK7)})2Fhz}2v#>P+%=}7rC`Tq4z&wwR6}1$= z$*u<2RaN!lSK+zXDruzMHVd?sJwgnK4n32)lMfMu6GifP$CFc>P#nh69b62!GdjQ4zr zt`N&OFhoUdDKr?HwUUpSV2|0Kfa)JBB^AoQph8HK)wFFhn$<1UI-?pMdr2kGTL(R8 zudRN2_cg0cp_%zz5Y2Cw&(EomMCljr-#Y=me_t8m1V&5(dzY@hGSAPsbkK8C|>vdhVQK~TT}933#mqXA2eN8ulT z*s|KNCVQ2?Hm~znnUN4~k|-Plj*0}_^=?;%u|E7CMNfvGpT(|iT{sLPn+C#tb~EyK zif=%}4{X3mheTAWiyMsC=nOHA?pgzc4Y3IvaER$Bx1WBR;L0{TZ8E=sX4`(;>7ao0 zt8Vo2WNxn1^K)i71g=OMN)$lOQP#e&3e z`g32W{n!I2kG0uvCt-5|3jQ&Ld>jb^OE4qD28LY(uey)~iNbkM5%LRInk|Eh&Je$_ z1)wLRE6^~p)A2Ww9TyL2j!`ih-}E9b#2GGvE)u$}N%pJ>aMh3=;gv&x>M^?k+(D34 zx@yKsH9g0@wA`Pvf4Xv%^E8oJN@GIpXbygB(yTgF)jp{mR1sfdeW5}wiiL|GPhUw_ zX!RLP%(}-?c((`MI)CuI2S2t<*!qnqVAki+j@?l{p;{F7A71S{!ItpSi{8F~#lg?P z3V}t{roQSlK%2(P^LIhRfQR>zC*zx4tFu9@&pE1VSy|_mrgFdoAJMWop8A!h@P3O) zH&W2;wtYg1z|04uDBu?9gn$X_;CjuJj`UrHQofG^r6T>hQXCvX@|d76V$X?G5;g}2 zWr8q$sbK0rPDOVvOPD!}4&<`@6$FLJErfns-Zkul4Tx6#XWGRtciWcN)Rroq%M9hO z-Hz8ehRoX$?qNg&8h4eLP@@^8#T$_o_t|%HJC*OMo2i^kI%epQ8Cqyd8$)!!3AycT zL3g5GD!K9GBsq&=Qg`!4`q`g&DgW3R0YW!~L+_4}hH6UVDXZ#WIphTkHUKy%3}o%) z6Nft5S_{nKu}W#9Xm-H!?rrO(Fx^3oaTZxS-z}^S4a~R&S3kDQlBI@8I>ee9(st3~Sk^MgdN>DCHgf?|<{)K`j|x$l$k97*9Ks}77d#N}S@PBw za1;ooZ&@Urf>^_(uITIAsqUwz8YXSy}x&@L$ckW6m-zNp(|rLG1C zpCEr#9gP%%ZWt))*L3SPKxOqu*6p1o+$db;pQ+W(8LMCT$-kmm`Dgz8b1V!z{qXtr z`_JEbgW(apezRo_?jZcrCxv0!0E}73n=e}q0|DXvs5|{!fT_WHY7E#6VL4!U970P|VE0(#3l4wBvN3}~gV z8M0b27g^~Tj_eU2c`W%WIBI#7zY3ld&Mk?E48}lixeTqtmFqWRgAoSgqi~NO$#leW z%DEIQ1K$srNfxnoVgQ`~P9a3BAPEsA!7G;bE@$n^13qtA9XRPTkU2Tm6luEgag1us zR|4%1gyWEP5_6iJr6$P|mLTtvN92@fd^acVY?!JdiV$?vck23da|MSYMx%4@V&jhx+o|UX562w0vC?i^7+yn!L6Pa}tXr z7ktl``99A5mz6WFJc-m_9zZ=OFNDm@t+*^+dT1}ig$V7%$avP>z?Z=wBT<(mqTcgA zdS_hq(OaX9N1OZ1iDKbRAdOtDSHr6ueTO?Z9r}+&MI0_V_up z`L2ml3yj!t10}l3^7L9_JZ0rQ1%pHSv^)f!StSmKzHBB#QJ$Pdq$JsUlTqaAb)MB! zyy^?D!d;E@#$MPaDLJL~N7O+$5`-h)iXa?md$>y2yLaBHj#g%HkW`#MkOj(hRM!Cm z7erUQI65CophYDa+a{~(G^C!~jzT5w+e_(t%cI6p#O~C zr6?MV@->}osJd_DqnLO|IbIMna%xK`*;eV{`c=BY_#{-a#RDcP7>GwPtcf5SrO8OCi8#;w0H8QK$6j_{A>>?BPAYXdO=n#QUb1hzhBS zlb-2LEU>IvA>{%|gRl>#FyxAcv?rdj>h$9YLulxKiSS0jD&vpgER49I@A!7z1jC2q z6Df|uAx7Oz^Yreq2jab-$mA+gVbUFLDR-tN=X4P_z)Qeus_q`3KVhC*L<`FfII(p) z!q5^K_%*?x`2m?e!TqG%lBS#=ebYdqYn0J8*BIf2EBx|4d z73?COYT5y-9~1BF-YX^=rVu_uf}amGAXO>0VuCs5|F9E=Z&+c2M$Cj63&uxOFqV-` zj|#%tNy3{>v3}(4J0W0?Jyfg^>;nXpnrfEalpbC;TD>7&__ClFrRZ(4j5ZAT$jD7-3?nM%LCfLdf}(V(hQ9 zy=NT&a!YK;B3HL~Y8=hKkqvB|Vvr>4*(t?@8^g($b{64hqFzho!@E7KUQ2DRs)(-1ifd!{puCl|$&X~>Mfm;F{^U$Fc~qG;a*N!BC<|AjHr5PdXypWFV$cajWMh>7 zhB3YGB|KcrDj$mg{P1&8jU<7Ugp!)%Ru4I0=|_(zYg~GAi>NO(Ex8ABdVNpFKhmrax-9Fjq$xbsh(aa|9GBaRD(`5dU z-Q9EZ@|unO=5)bjq`b@irCf5Q&7@xQwn<5YwJR)1%&FYw>50gjUn01-m-rW52WiV>lFcKDQ6-xo$(fWR+ z{RPyV-6cBxtLGN50oD$KT!Vtg{S;L`GN8Sk*!)9Fxt zp!`7jw?{zvf${_82g-l8B$OX0KT!U&xuyI-`GN8uHB$bg7Lx0 z%Kz9S<-eXV;@yHgeXw=D!eu>Fo~Uy=EC z+r84A`i6fRHbz``83Du|;OT}&*>PUqj%zE;?~CS(8h&{lm8ayg|38V_{*?T^Sr}dN zz4?^b#5E(9iFTf~H&E8mZ~-ynjrqnvEv$46D_9}t_f2QCSKgWMl(*ilb$;$+7{q!= zIWR=!S@s-pV2u$6CL<24WyIk(mv6t)HD(~~s(bnR>)c@JDSPFiJ8ri6yMORMLYqZT=eRHTL1t#-UE&R diff --git a/supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.map b/supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.map deleted file mode 100644 index 45aec382d..000000000 --- a/supervisor/api/panel/frontend_es5/chunk.e4f91d8c5f0772ea87e5.js.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"chunk.e4f91d8c5f0772ea87e5.js","sources":["webpack:///chunk.e4f91d8c5f0772ea87e5.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js b/supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js new file mode 100644 index 000000000..80003cb35 --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js @@ -0,0 +1,2 @@ +(self.webpackJsonp=self.webpackJsonp||[]).push([[6],{177:function(e,t,r){"use strict";r.r(t);var n=r(9),i=r(0),o=r(41),a=r(62),s=(r(81),r(79),r(12)),c=r(27),l=(r(39),r(125),r(104),r(123),r(167),r(58),r(115)),d=r(18);function u(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}var f=function(){var e,t=(e=regeneratorRuntime.mark((function e(t,r,n){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,Object(d.b)(t,{title:n.name,text:"Do you want to restart the add-on with your changes?",confirmText:"restart add-on",dismissText:"no"});case 2:if(!e.sent){e.next=12;break}return e.prev=4,e.next=7,Object(a.h)(r,n.slug);case 7:e.next=12;break;case 9:e.prev=9,e.t0=e.catch(4),Object(d.a)(t,{title:"Failed to restart",text:e.t0.body.message});case 12:case"end":return e.stop()}}),e,null,[[4,9]])})),function(){var t=this,r=arguments;return new Promise((function(n,i){var o=e.apply(t,r);function a(e){u(o,n,i,a,s,"next",e)}function s(e){u(o,n,i,a,s,"throw",e)}a(void 0)}))});return function(e,r,n){return t.apply(this,arguments)}}();function p(e){return(p="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function h(e){return function(e){if(Array.isArray(e))return F(e)}(e)||I(e)||R(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function m(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function v(e){return function(){var t=this,r=arguments;return new Promise((function(n,i){var o=e.apply(t,r);function a(e){m(o,n,i,a,s,"next",e)}function s(e){m(o,n,i,a,s,"throw",e)}a(void 0)}))}}function y(){var e=E(["\n :host,\n ha-card,\n paper-dropdown-menu {\n display: block;\n }\n .errors {\n color: var(--error-color);\n margin-bottom: 16px;\n }\n paper-item {\n width: 450px;\n }\n .card-actions {\n text-align: right;\n }\n "]);return y=function(){return e},e}function b(){var e=E(["\n ","\n "]);return b=function(){return e},e}function g(){var e=E(["\n ","\n "]);return g=function(){return e},e}function w(){var e=E(['
',"
"]);return w=function(){return e},e}function k(){var e=E(['\n \n
\n ','\n\n \n \n \n \n \n \n
\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ".concat(t.codeMirrorCss,"\n .CodeMirror {\n height: var(--code-mirror-height, auto);\n direction: var(--code-mirror-direction, ltr);\n }\n .CodeMirror-scroll {\n max-height: var(--code-mirror-max-height, --code-mirror-height);\n }\n :host(.error-state) .CodeMirror-gutters {\n border-color: var(--error-state-color, red);\n }\n .CodeMirror-focused .CodeMirror-gutters {\n border-right: 2px solid var(--paper-input-container-focus-color, var(--primary-color));\n }\n .CodeMirror-linenumber {\n color: var(--paper-dialog-color, var(--secondary-text-color));\n }\n .rtl .CodeMirror-vscrollbar {\n right: auto;\n left: 0px;\n }\n .rtl-gutter {\n width: 20px;\n }\n .CodeMirror-gutters {\n border-right: 1px solid var(--paper-input-container-color, var(--secondary-text-color));\n background-color: var(--paper-dialog-background-color, var(--primary-background-color));\n transition: 0.2s ease border-right;\n }\n .cm-s-default.CodeMirror {\n background-color: var(--code-editor-background-color, var(--card-background-color));\n color: var(--primary-text-color);\n }\n .cm-s-default .CodeMirror-cursor {\n border-left: 1px solid var(--secondary-text-color);\n }\n \n .cm-s-default div.CodeMirror-selected, .cm-s-default.CodeMirror-focused div.CodeMirror-selected {\n background: rgba(var(--rgb-primary-color), 0.2);\n }\n \n .cm-s-default .CodeMirror-line::selection,\n .cm-s-default .CodeMirror-line>span::selection,\n .cm-s-default .CodeMirror-line>span>span::selection {\n background: rgba(var(--rgb-primary-color), 0.2);\n }\n \n .cm-s-default .cm-keyword {\n color: var(--codemirror-keyword, #6262FF);\n }\n \n .cm-s-default .cm-operator {\n color: var(--codemirror-operator, #cda869);\n }\n \n .cm-s-default .cm-variable-2 {\n color: var(--codemirror-variable-2, #690);\n }\n \n .cm-s-default .cm-builtin {\n color: var(--codemirror-builtin, #9B7536);\n }\n \n .cm-s-default .cm-atom {\n color: var(--codemirror-atom, #F90);\n }\n \n .cm-s-default .cm-number {\n color: var(--codemirror-number, #ca7841);\n }\n \n .cm-s-default .cm-def {\n color: var(--codemirror-def, #8DA6CE);\n }\n \n .cm-s-default .cm-string {\n color: var(--codemirror-string, #07a);\n }\n \n .cm-s-default .cm-string-2 {\n color: var(--codemirror-string-2, #bd6b18);\n }\n \n .cm-s-default .cm-comment {\n color: var(--codemirror-comment, #777);\n }\n \n .cm-s-default .cm-variable {\n color: var(--codemirror-variable, #07a);\n }\n \n .cm-s-default .cm-tag {\n color: var(--codemirror-tag, #997643);\n }\n \n .cm-s-default .cm-meta {\n color: var(--codemirror-meta, #000);\n }\n \n .cm-s-default .cm-attribute {\n color: var(--codemirror-attribute, #d6bb6d);\n }\n \n .cm-s-default .cm-property {\n color: var(--codemirror-property, #905);\n }\n \n .cm-s-default .cm-qualifier {\n color: var(--codemirror-qualifier, #690);\n }\n \n .cm-s-default .cm-variable-3 {\n color: var(--codemirror-variable-3, #07a);\n }\n\n .cm-s-default .cm-type {\n color: var(--codemirror-type, #07a);\n }\n "),this.codemirror=r(n,{value:this._value,lineNumbers:!0,tabSize:2,mode:this.mode,autofocus:!1!==this.autofocus,viewportMargin:1/0,readOnly:this.readOnly,extraKeys:{Tab:"indentMore","Shift-Tab":"indentLess"},gutters:this._calcGutters()}),this._setScrollBarDirection(),this.codemirror.on("changes",(function(){return i._onChange()}));case 9:case"end":return e.stop()}}),e,this)})),n=function(){var e=this,t=arguments;return new Promise((function(n,i){var o=r.apply(e,t);function a(e){W(o,n,i,a,s,"next",e)}function s(e){W(o,n,i,a,s,"throw",e)}a(void 0)}))},function(){return n.apply(this,arguments)})},{kind:"method",key:"_onChange",value:function(){var e=this.value;e!==this._value&&(this._value=e,Object(H.a)(this,"value-changed",{value:this._value}))}},{kind:"method",key:"_calcGutters",value:function(){return this.rtl?["rtl-gutter","CodeMirror-linenumbers"]:[]}},{kind:"method",key:"_setScrollBarDirection",value:function(){this.codemirror&&this.codemirror.getWrapperElement().classList.toggle("rtl",this.rtl)}}]}}),i.b);function se(){var e=de(["

","

"]);return se=function(){return e},e}function ce(){var e=de(["\n ","\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;aInvalid YAML
']);return Se=function(){return e},e}function Ae(){var e=Te(['
',"
"]);return Ae=function(){return e},e}function Ce(){var e=Te(["\n

",'

\n \n
\n ']);return En=function(){return e},e}function On(){var e=Tn([" "," "]);return On=function(){return e},e}function jn(){var e=Tn(['\n \n
Warning: Protection mode is disabled!
\n
\n Protection mode on this add-on is disabled! This gives the add-on full access to the entire system, which adds security risks, and could damage your system when used incorrectly. Only disable the protection mode if you know, need AND trust the source of this add-on.\n
\n
\n \n
\n \n ','\n
\n
\n \n Update\n \n ',"\n
\n \n "]);return An=function(){return e},e}function Cn(){var e=Tn(["\n ","\n ",'\n\n \n \n
\n ',"\n
\n
\n\n ","\n "]);return Cn=function(){return e},e}function Tn(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function zn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Rn(e,t){return(Rn=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Fn(e,t){return!t||"object"!==$r(t)&&"function"!=typeof t?In(e):t}function In(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Mn(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Un(e){return(Un=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Nn(e){var t,r=$n(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function Hn(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Bn(e){return e.decorators&&e.decorators.length}function qn(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Vn(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function $n(e){var t=function(e,t){if("object"!==$r(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==$r(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===$r(t)?t:String(t)}function Ln(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r **Stable**: These are add-ons ready to be used in production.\n\n **Experimental**: These may contain bugs, and may be unfinished.\n\n **Deprecated**: These add-ons will no longer receive any updates.")},rating:{title:"Add-on Security Rating",description:"Home Assistant provides a security rating to each of the add-ons, which indicates the risks involved when using this add-on. The more access an add-on requires on your system, the lower the score, thus raising the possible security risks.\n\nA score is on a scale from 1 to 6. Where 1 is the lowest score (considered the most insecure and highest risk) and a score of 6 is the highest score (considered the most secure and lowest risk)."},host_network:{title:"Host Network",description:"Add-ons usually run in their own isolated network layer, which prevents them from accessing the network of the host operating system. In some cases, this network isolation can limit add-ons in providing their services and therefore, the isolation can be lifted by the add-on author, giving the add-on full access to the network capabilities of the host machine. This gives the add-on more networking capabilities but lowers the security, hence, the security rating of the add-on will be lowered when this option is used by the add-on."},homeassistant_api:{title:"Home Assistant API Access",description:"This add-on is allowed to access your running Home Assistant instance directly via the Home Assistant API. This mode handles authentication for the add-on as well, which enables an add-on to interact with Home Assistant without the need for additional authentication tokens."},full_access:{title:"Full Hardware Access",description:"This add-on is given full access to the hardware of your system, by request of the add-on author. Access is comparable to the privileged mode in Docker. Since this opens up possible security risks, this feature impacts the add-on security score negatively.\n\nThis level of access is not granted automatically and needs to be confirmed by you. To do this, you need to disable the protection mode on the add-on manually. Only disable the protection mode if you know, need AND trust the source of this add-on."},hassio_api:{title:"Supervisor API Access",description:"The add-on was given access to the Supervisor API, by request of the add-on author. By default, the add-on can access general version information of your system. When the add-on requests 'manager' or 'admin' level access to the API, it will gain access to control multiple parts of your Home Assistant system. This permission is indicated by this badge and will impact the security score of the addon negatively."},docker_api:{title:"Full Docker Access",description:"The add-on author has requested the add-on to have management access to the Docker instance running on your system. This mode gives the add-on full access and control to your entire Home Assistant system, which adds security risks, and could damage your system when misused. Therefore, this feature impacts the add-on security score negatively.\n\nThis level of access is not granted automatically and needs to be confirmed by you. To do this, you need to disable the protection mode on the add-on manually. Only disable the protection mode if you know, need AND trust the source of this add-on."},host_pid:{title:"Host Processes Namespace",description:"Usually, the processes the add-on runs, are isolated from all other system processes. The add-on author has requested the add-on to have access to the system processes running on the host system instance, and allow the add-on to spawn processes on the host system as well. This mode gives the add-on full access and control to your entire Home Assistant system, which adds security risks, and could damage your system when misused. Therefore, this feature impacts the add-on security score negatively.\n\nThis level of access is not granted automatically and needs to be confirmed by you. To do this, you need to disable the protection mode on the add-on manually. Only disable the protection mode if you know, need AND trust the source of this add-on."},apparmor:{title:"AppArmor",description:"AppArmor ('Application Armor') is a Linux kernel security module that restricts add-ons capabilities like network access, raw socket access, and permission to read, write, or execute specific files.\n\nAdd-on authors can provide their security profiles, optimized for the add-on, or request it to be disabled. If AppArmor is disabled, it will raise security risks and therefore, has a negative impact on the security score of the add-on."},auth_api:{title:"Home Assistant Authentication",description:"An add-on can authenticate users against Home Assistant, allowing add-ons to give users the possibility to log into applications running inside add-ons, using their Home Assistant username/password. This badge indicates if the add-on author requests this capability."},ingress:{title:"Ingress",description:"This add-on is using Ingress to embed its interface securely into Home Assistant."}};!function(e,t,r,n){var i=function(){(function(){return e});var e={elementsDefinitionOrder:[["method"],["field"]],initializeInstanceElements:function(e,t){["method","field"].forEach((function(r){t.forEach((function(t){t.kind===r&&"own"===t.placement&&this.defineClassElement(e,t)}),this)}),this)},initializeClassElements:function(e,t){var r=e.prototype;["method","field"].forEach((function(n){t.forEach((function(t){var i=t.placement;if(t.kind===n&&("static"===i||"prototype"===i)){var o="static"===i?e:r;this.defineClassElement(o,t)}}),this)}),this)},defineClassElement:function(e,t){var r=t.descriptor;if("field"===t.kind){var n=t.initializer;r={enumerable:r.enumerable,writable:r.writable,configurable:r.configurable,value:void 0===n?void 0:n.call(e)}}Object.defineProperty(e,t.key,r)},decorateClass:function(e,t){var r=[],n=[],i={static:[],prototype:[],own:[]};if(e.forEach((function(e){this.addElementPlacement(e,i)}),this),e.forEach((function(e){if(!Bn(e))return r.push(e);var t=this.decorateElement(e,i);r.push(t.element),r.push.apply(r,t.extras),n.push.apply(n,t.finishers)}),this),!t)return{elements:r,finishers:n};var o=this.decorateConstructor(r,t);return n.push.apply(n,o.finishers),o.finishers=n,o},addElementPlacement:function(e,t,r){var n=t[e.placement];if(!r&&-1!==n.indexOf(e.key))throw new TypeError("Duplicated element ("+e.key+")");n.push(e.key)},decorateElement:function(e,t){for(var r=[],n=[],i=e.decorators,o=i.length-1;o>=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a"]);return hi=function(){return e},e}function mi(){var e=yi(['
',"
"]);return mi=function(){return e},e}function vi(){var e=yi(["\n

","

\n \n ",'\n
\n ','\n
\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a',"\n \n \n "]);return yo=function(){return e},e}function bo(){var e=go([""]);return bo=function(){return e},e}function go(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function wo(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function ko(e,t){return(ko=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Eo(e,t){return!t||"object"!==po(t)&&"function"!=typeof t?Oo(e):t}function Oo(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function jo(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Po(e){return(Po=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function xo(e){var t,r=Co(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function _o(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Do(e){return e.decorators&&e.decorators.length}function So(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Ao(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function Co(e){var t=function(e,t){if("object"!==po(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==po(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===po(t)?t:String(t)}function To(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;aJjVBm}^J z4j|wwwNQsccBF4q40IS}0jD(SbmTv$+VhtV0>)B9X&~zSN)4(jz4&Ru;w!o{uE;P2 zhnJ%^?ZY@IkLI9_k|nNs?1hy_@kjgnA0c8Y*A6b;-(R9ubh=$(r_HhonA7}ubzVZ2 z;6wQ;lndq2G(x;Ol2T5F>(q2fd^7C~KW-lV!B3};Qgqq_G@j?6DcyIfDLUE?bc(gz zUi~8T=DAM~X4m#VO`SXzv8VJIhwGCs4);@?rs2LG+j3qq`bPRN(QTW)Y-r3PBv^ zCrWqL$R0UYYx~x8@Pr0&>gs-A)bnfjf1@jc%937U>TxyoX;*Oli1DbYE9V0Ncc-FF z7Aak+m-9l)8tSA87VKiZ5+%WpxNi=f7mgIYxIE!08)!1@a~%Sqpu?PtOwQ{)64QK) z$2OLXNm-Ft@WO>GzK!67P1lD4pWh!wMiN+3JpgZDQOoBYO(t_U5W3}Tav$OmFcAd#;w$`U%5q(6zS*=Pm1!GITLQ? zl%s50wf*Lt6~ZnrOAnT(VRs$q;5R0W9G-E7;;$Z0q4fUpIA0Iu6Dh7u4`m__!wJ|zZoY*fc}?lb zfh+uN64EN=bx9!MdLO^L>Kx6p*xG?vJJ1oF5tMu+unrq){ot}Z=2WcV>5h6e&1C`n z`V9@8-OS}{;tTvS*OS}?=X)>0*RrH3%)Kn8Q5Gd3N>bsfs%ao#E{M))Ql5q)m{22g zhMJ%KaFmIf?)y{1Ob{4uj%y4Yk>-MfLunaGk}5@zpp9SWJIGE6=$I(7bO`sC{z zL*T%K|AWt@W`fV?zag6H9E+Y1yUzNpk@zE*g&k_xb?T5HnF*R8sj5$&&Z=Un>TzIM zHEybmoIt6D>VTW5VX)A7UbYbvi^!sL{DP~bgn^9=A1Omt-Cu-yZ(*+DVVayX1yew2 zC zPk*iprUiJInTG3)yq{Z{mjIJO6&w^%m=e_Wl2O?>zn`{zDgOp>eKPB7ruMxShhq%(C;#?B8WSrCQP8}T zmK95Yc$@lJ`7JJg?_%uf+EHl?69w{HTa6Wu;YU@YkQ@$5oY6uE--LZki6WHQ(RZwe z8ivdX+|bX*oDA{W*v2XssUgT^`fiMALnAB1+Tm$=5y36;*$TeO6~b8z!t+~=@xwa$ zxAbW?uPL+OFdNUOX5qW+m@0efuW;e`W|RE6PT=QrtOKN)S>cUa&dW-yHa%p>+l?ID z{U{8`jnms*AA|pxJ4)ZodtI}bBlI0~-A_utw#C~_BLEsIJHC<8G1X4fr)bx0;I!t< zXwS!|q(_2VC9aV#x@N9hO_@cZQg63v&y3wO52mV~m*cG8D0|5LYsr@n zheQHMK!>j%hx**PyjP=Qyf&wIgfUnij{#INO;TW#bXX;IT~sIS` zg&s@gwvDAr)_az0n^0;(xKrafA)@6I-`>|dfG+X~#f#+a=&%ZF# zo3{4Pfa%)5ji|=br5rd6TO<7zoWrKf5yYCubS9wchWgD4YQ?f%AQo0$qvQiM= z(xzgF6`Xz-JU=*bu-SHSMN_7U5Ax|;rgt|!ph&(}U?>O)TCB!xF`{=cy|kZAF9GTa zSt^NOxbTZ#M)5&uD&_}6{yJojbi>rK!0(e?cHIhQJ3&7f4eRY_e_LsaM1$k13G3Sb z4vWPFQ=4ni9nSC(O$zSmGt@H=e8Xx>SV8CC=Gn4R1-9OPD7_5!N^49x9-I_v8S%;&aNjNuKZ@T>b)1VmD&2%Rt4(y_H@5aZi2s} zet9)i*VIgl&O`pXnw?0W?nQyltHw4^kZ98`Nm}b23?sp3?z;Iw;ZIF9H0ci~B?XJhIdW)BUSP7rxB&`|t@(Z32wfCX! z4AAsf6dnLF9W<4Wi=C);Hub)|ef}bG&!uoaRZ{>i=Fug{pck~dGv@5lVgNHzu`{PU zZ12R}2qMNm-!Q3)IhaIb#};oI$Ch+4Y8_hdQBE|CnD`Ep8Psc!^mQyuBCM!VPuE|) z5=!`>!BMyrr?*_Txq|`us0uI*LHLuk#T$eUV(^Y1FiLv9vP$)Pa}MLM9DT_#e8QQ_ zyHv5rKITUKp~pLzA`DNq{n1cf6H<<&A=xQQ2xo!LAvhts(+I4TjQjSBs1|SkYY^e$ z6ZQdCzDw@wdrWc66v;2mkx7_UxXqcqFtzz0N@8;z#mC-mX++egVT6&Io6)e9#JdLi zO=A@W=gp^j?afcb;J!kOBqae8&m~D-bbbWc@NA2_j48x86rY$y)2ct zVFkqZi$)4#cQNG7(~*8LB{uNh;xzkrDa&((5fd2rF!0o%I1{u}B|}uOwqu#$ai6Ph zmBosmcbF5f)XoQ9o9|==`wOA}9MD*DO7tDHH+TtPUtT z6Kd2_l{lT_vZPALj<1)^)`#MDCiBses00g1X_|9r`e@k?$vf65pLoSc8}2MD%_K>8 zvCDGc>ap+GOc(OutEMJ(TJjjTs3AKe(*c)N41Zo99Gu)=rqrL0Te!{oo&g>_xWQz_ z%I{=)(0Xsc3z%|BK!5YtG?<9UPC z)7bUX33_-x0yz@&J6&zOWH!53%;g7f-FutoVI&T-+hY3ngGpn$CgfIISlDSg4L-`D z1VhC&j*{h8*fdTAcgpEyjO=>5E-IO~Ep=!7*!bLLPuQPRn$^S|rZX#_k=WQsJSqCeR1mD+(a301a_hDq9x0VdCA%{WP5V-G4 zl8ixlFUUl8i7UJH-JrW5FxDK+M7JNcqx+^L*@wQ3JxtOLF=zLwLv{We(peK{NVJVw zm?G^6j#GrUr*oxeu&Ob&7FNp7wE&u^BYvFT;z)viav=cX4;jZzlrMemG1 zJb{?b@j%Thr?+S^<{gyxI?asR>PvqzFD`276r{lTU9T%q&HG+;<(+<4N|K|8Ry5kb zX4dukxNTun#EO%5*lJh3R&buGGqAW%=c;zZ3v;8Ye&=c33wph4efp?cu3MCj{K{=4 zivgqQ!laRNFk$M2M=uawqg@R}D(UXU7{$#qMP?{d!@JI(o{Y z&fMFa*b$3{Ofu5;?Jp~Q@Ks(RBi9xt$P^cvTCE?{wm^K>Vi{s-eH_k;rFHwQq7W0Y zqaE@^78wc$7pm-_UU!T7gMGPi;hE(&fY`OJNijhPTR!s-~DdQTBR2$Pcg3sz$3363U;df(fr!QbM? z_?P^aJo1J~Pa}H5`gMy}iotaChHrtf8TV)x0BI(11>InNH7kN{{9H75@Td zxH}xV3+#R8gT%DLTZpWZv3E)EqGQ^^|73_enT(_es{9jF8M;Zy%A;)Tn-4@e-JjMg?cOH?x&QQi5-1 z+IE>w5A#Skqa@z_BG<98|JaGzcY$zESsl7=?EoQ-=xu)XVkF)Pyx{PMl?>=3H1boz z_+ZNN`C^q`RJ$8wRbCg2At zA41)ocqnlo&n6~)arBO1yF5vjHuvAFZdyAfZtRwv_OGZME&HxAU-C{@fFW zws)wCECQ_yD$DqfGXDu#vVX_Z%k6IMp-;h<8X8e;L48>+@R-(zc9hSCSh*ZAB1X~j zxtyC2dKTyeL2BeN>WaO0tnd$tBlU@F?H%!*C9(0KkLLed0ZpMTLy!C=O|P6(XG{6T zRQ$8jIG4K!7Yh70d4H8x-{o@p3HpsCeb%&MEhanpnxSu$89T&EC@xTIV4WN8vwo%S zRvw{y8Ab~-!u+$E!J;EuGOc?(w%SO)p@%YT{G%jF+D3dApH^7%CjQMQJXWjxG-#Wc zoWw+i%UK4Pu89}6#CX{#&0(;{)*(Z2gfc&()&PkbOK!B%^Wxk3oH4U5%mCfp^M3b@(!4G3Od+AU$Siw3?-N>~@3jZBI1f zwnpF53c|>0tfj4@c{pqiDHZ+&!jcbzttzvCEE3@;j()%M2(8KqO(at13nUk;SROG+ z(A|r%JZkN@`HBfF^;$T$8Vg7Oq4t>NL!~pn^qkh6N%G1kJMxsF&}@M7czv#gTMe=OwKqr72xpq5{Thv zi~Vbrar~i!bYsRR?Hj^!Xrp57O0N3>*#mK9!zweJ`S5v!Ec3FyR``=ueTL=9%f9LT z6i4~$)N%e~nEx@A0^{-68Fadr2D-(EQ%(6IGf2`qlalIr7DV}?7%$l)UZ7Z)20q!t z)kvYd79;s#9M+^5hWgn%zY2x$G_aT=9g`L{!Q@bpcYIW;TbqLZ`9bkPk-oVrNeV3l z1e65$8stb(kqb`aPspd)8`^YI)KMH{6cJG;mj(ir6&+;v;j)zWL$)zWHvos!X+ax=1%M6#1kkL)+g z+EOdgT9S}orU%|L((;1Ff9XH!bJu{vm|Ap}(P;$(HYSQ62o zfatQzFjv9wF|_zGJZ+^}z55Sh=q_^K69e*G4VB6T;fjU`fJ;w|r}o{mP-+9pf}BOz zm>qDy>TkS+yCY!uQBzAp7CS?}OEs?WqK26B@a>sXKtgzLzl?JT_*^s#{;lqUjm;$m}lc_lBCvM9Ew zeF@+amXMJH;~N~ z_&=iMi|5{Z)Dg}TR;?OvU_3T3;rl9yTrT13ys~UdsH(*kNjptac(7v2Gbqz#qFeIzmLD_r zD!T>qI-Ny-D~sTcZ5sZLRZuG;_Z8b=Z+yWDs7!PPU68X~DT;R}b&R6JEKHZvOM7&4 zveSw9pSlPzlK>hfAyrN>6pS{IrvY$v=vr-|F6DiK33@)6j6;chkR;WSf zOx{11wCvM-P93Ql#TVqd!IU;>WUS3FL)PiUg8-p2MjhI8&(|i zD=G0DO)IwTx>ObQ-}hp&wXRE_+Bmv^n*T96uG2oPtRM7Q$!XMVxdGyw;>C?iEL?+X zy4*S|O`-Uk`eW$Q_r4i?X0ZkcqUk^(R)*c zqPUFLf#>|q?U83*bu<$=GO}Sx$O8xa;ht3IP#;1L+6k!Vyoky#@rPd4$g*2k82Xbh z6iSsQrT6*l=VWj+_=tR;kVBb&Tzyhwk4;pppne!=GkVX+ds$r|>s5Q$p;zmMFdV0J)T_`nCqU|BhVfas$z zLkEp8Z>c!{3mCX3gu!6f5WC-bm-Ro0BaP6TW+_diG;j@WWHB-R2b$x*h)Tv}CnE`zC-k#r0%&wwgpAa>#Qna-EoPhWzzhv~(RGa4drx*OmiYOY|_l zj!(~lWgtL?1Ah~FDg}NLKXLQJ)7W_j@OChQhhQI~INb+QkWCuQ-4lYs%M^mLxgZ3! zZkSVodYN^X?4Q4qrDRwCpahL|%u&3HqzIxB%O)lGU;aD#pRQhkFEjr){4JFK zjq$a0{0G4v__Bn&;g=))euLca>VX}=Z{*{qBHr63W<~u%Y9JiV1{glY`AVAaqKx>) zqWFKogC6aY6Holw)g=A;NsoMm8kcAJ#!~S6=6yov9eWMXjeHGGZqA~o9*Nc?v{s6> zszDV#<}8x!fHKE0&1TO`$RVCp#C!mN-f@UgEryL9R_!e50}AsWH?}q7p|Ig*#^Xwi z+wrs@u-zxaA^NXRogXd4d&w2efc7)i(4+Jt0k9E5Xlz0%@Snp=P_Q*Bn(az(w$ctv z3fCw>Y(HqVs;;$4sqg13CeXZ?>^V{2(=w>FI$)vK4$?=ioUgx7Aa#gXZ$+l$@;$AG zaLW8zp*&sY+2*veZynOM*QB?{j5jDcUL!3X1{Zm8k#QV++Y?&%{g%xXD(pRq;mpJG zck3$*`2)=NIm%`fx1c-0A#8ev#9-R7Lu+>#MiURg*{T+m_ngKbT6>+YG8EkGK!!H2 z->6bzvEwTK`}`&xR;vthe~gJ5Ap`(`JW~9TWnI3Yk03OX8EDiD#0K+41#I+k*nc`! zkBl_rOc>JL)9_#`F{ry0f0483+TGUq-3RX$%7Pm%>ve(ixPo>YjSxh9j4u=G{7Zm6 z3w z8-5?u*?QP}&T25rbKoSgM#YB`OYUVaHJMz5)_^rYmLEky%D2%^%X;hw2_e9_H<7T{ zpshYY^G0Ej5z$Szxb&ky9^y?2>!t8E2I>8x+W6EPbLs-84()nG*F}!FZ+o{VCPE_7 z#e-C?L>dXq)8+WaxqD^lS(MqGY%v3V8YgWHh(+)QlE@pAz@25IgO3g$_?1o%^Pn3d zurrGW=FS8O=FSBO=AIKQkVB6M=I-oh5GRKee*a#QfDtm})~$|oxXvLF1>Q)^=tG}9 z^p=%4bsJk&*7H0Q`!H|JgANNo^FdVt5x59Sl!-C0+1i>48O-kU8V z!P7^cSBe?#p|u?G{?J88imhdn&>n7P;f3qkjy+Em)5k(^8FpUaNUhpfq0ZtGMVW2A z^)Vfmc&Sc6%v%H|bT9>nE}(jCZIalw%~oknRnOvLs@Nv9deMB$H;7RTT7o5vH4=3K zkG*M?CNiI0$&X3eaT&8sC2XN-P;z6g+L$E|6dIhIzRQs8%bn_H~h9C!O*GY;V8Av_se|kIXagQ zb4;P#?F6ieq<|!Im}l0-?8Xx+69w5Ul=yH+3P%_@JiHh9k#3U{VqDrsC&$ZWcBOqf zJF1MUytw+rDO_Iq;{qi0&g>e==K`scIzfs>F;#y@=JLF3YrX@dF|!MAza?#sG1e|v ztgS(8X?UPzK=n`2@2y_TEw17Ko3GM+6DyW3O)k`XQ;IQ&OzP-z^VJ8$f4yo3$9zR| zmXBsD+W|r?mrHm4>x%qkHB`whC0wYdhjn_7t(4Knj|ThVD=qxuYcVYhq#GFv)2T}x=9lS}sN~(hC(tB+W z%`W{VC?5D8h`Y*4DtO0x?@JL=oL*{pmhudIMHXP~jk|y06?~n2*=k0<|2+-+fxHTb z#u&wp3|mC)8U>U#7~5PrUbJWTb~tXk~YH z=m6XSl8G6LK9+|7@>+0b?GL4RiLeCK0-$?!r`%mc3QTmXytM zWgJSEl>Kz}zBW#mjmgDPG-*oyYR>EOaBjFhUYeSi?Nwn$4(?=dWgKg|HjdYwbY+}N zmzjMCNU_B<+4zhh{t+WWIzu4f8=4KF%j4!dVL&F2kw9DW*)OHG34JF z|Fwlah5WBRiqqBj&vZ!k)dCIIdNGvCLSfdw%RyR`_@5&-4m~j@C+@IwSqR-LhrBDg z-p24+C>6OI=LPjz$S3w{kUI^R>u_S?#at*pNCeCdlk)(}Rh|S0-~b=QNPTiQ?i+NY z+mJow7pQwKL)FR;MdbRA0VQt>3zH8klV%dqAE~C0rHlecCPV@n58!V0I#NT$4;Se- zh0@GINju@9GeOC=Ol0J3T!AJ+LG8De|B5|~G; zRv_OZSAO7lu2fxeZRyVRInWxj3bJk11SXFfbIjG;GtUphs;sR`%P7)@uGz^{&N$4R z0{7RO2&5;}m52d`ggOZR+wht@*@q70UafS8knUIwt!mRvu-LjY1%HEj{Bq$ub!`o4 zWh*t!L{-*}Vie4K8uY5_FyIMcRy_;7Q(0@a&(oF#{I56-d2KnFT+5jRztTU^%>(Z< z8fBlXPYdRob9iCywCNWdMkjhl*sNZn8yTm^;w-3|TUY0kcO&Bfy9?G* zGi>4su-O`K)Pa$xojYY!TcxPS2tr2U3^k4h1W0M6wH&d=R9Z|7EIZ>ymTyqkv$kd% ztin36A@ljGR))*#P$Sqc<;db(TZY1!m)-w~Wj5dXTE;LsfPcdiL>o0RN|3sl{CVoZ zLA`*Mp3U+AUU>fI$k@pR-olS!Av%&3pxRMUN7@qk24+{;W!@sEfwCAVz6S?c+NZ;p zzI`~HLUHg|gyj;Ng{%x@Sc8WwoIV%`4PuqEcLlfb;?_CL942<{J&D}vPLA(vZ4|kQ zAt!VtSB~AfHjVGxCM9x>wV`u(1^gv@tK+8wGHFdN>m_GP{$O6(9UNBl#h;b<{!Yhz ze)TzD+D*(_+J)4icy<+}C;hiHFYP|IEBUUdfQ-Y4oANUOCwQ|Eqyzq+z>K^42sECp zWfp(&lK3BgF-H5phK5%*P!i_xG6tlFp^JZu!L^~e`9>)xT`}Zey0CEnFQ;D zT?Fgj?|#O~=NfMnOBU4n4Jd#elqBn$f+XwU0tr0-QfPaE@u-q`gWe?RxQhzOy2`-l zL%!l$c$QQm00kO-35;0tr~yX#L3~XCf0?ieULm>4cCNAtSO(rKxcOftIF@KbgX_5p zTbnvQ*OmC{o&kIM+8S$`tKUXf@J>h|0SrIA5$aIg4**>jA~HPX`xX^Al8|U$w)0Ci zt4>O3n!vD53P-e)&}8WG(Vt8{0X9ldomaF(yRbi0d_e5ywF9IH{kFF>-rIK%wj!z% z9ph(JDws&#cnVkzf?}eVkD&vxAw}TI&HE9vS&LH_(;d!qs3kIve9MX_UK33j4odSQ zN%%g5gPWDgpKtM!u&y4HcyO*6o>i1=q_A)>;@x+yous~N*#yp$wXJnfz(eNfyJ|!UyEj`H#J6nPw#Unytlw}r-{59uS}hgRH$=JvPLW>Sm!bzn)|8z zwbcJoJcvg>!kLCT5H4G)g*oM78}A_IV2m}Ejo54UyXo!3>Y`}McO}Kv6x)e*pB8rx zJ0Y{it+5_X?st|K5Nlq2oVZk)+s*i|t8egU#4DnW8XIVJfa*BZh{m1QzxSLqH#HSI zl|Cv+(;o?Ul`4|OKjR{WZUk$OKPZEkRa*FO>AkGM3_G;|DYJt?wM$pu-l_;FN4h6a zPyqq6q~M=hUzc65Tx&3^kFh?!9H!Ug8Uk4{>1j0V&kj&wh09n5OV9(5PEZUpX8j;m z_U2OR&;Cs=u2xYGLO~RKG}v%?d_okX66@j8ISR%O5jZ#eWV@8GZNBQ5KseiYaQ8Mc zEz7mv9)-|)KI~O&L~jkg>b=D|x7V7FYWkUOAP<(#kr-N@(vX*59)_Dy>Q%Po)IX2G?kF=&m-U3JH|VZf|{~ z7pI2nN?KpHrz!V5oFMU3wqJwa5 zYPM}v%!c0H=$k8hz=pbD&<ojhXC897?zO+U4c1=`;+_a7CL-*tyl) zJ(=ohxs$dl6P-q}i`mW@2Lh=Vo1>(9ue?qarJwTnGoUB+W=QHlZ;_q~>#7Bes|tBJ z>>$n)HzLOi-DNa8kvZcgo(lNX!Q*$+CT*qCm8!NBQp-ad3QJn1%rkm#y_S?m~$ z3Y?3_KPg?a*dzzuJ9Hi6p|Z)Tg4Ofr>6VVRoL`wFj6CsvW@HA zWE*rs!ObD&D(Cu>q*uK*cQ! z#e^v)u%wYaqr{+WMJEU*v~wIY-j(bdLuJuUiqVqqIVd;66oW0%UR7}Q*&b5CU8;^P zTs;r1n<5>@J&*xHxT`Gh5rrsXKmn_y*mC|N$lFW?E}x8>@OyAM@HtjEi2mP*UD}8p+%HeJFthj*BSn`<&?I}vv+gGnR|Xx zIiIVVN3n{oJ} z=%cf-a^64eZaG8O#-~(Xs^`&X3BQ$}D?}ngEr6!#X#}#~|Nu)MZ zvDSO^GU&pd2y{w+aU9SoV8V_G^{#(r2DCE=578rBd4d}+Iw)xPYM7G(S2Zjx0t`bl zRM6rm@z2R}b*ics293OPdwpcU>=gy(jrS?;Kqw+<8oJv#!XFStwxP%7E|vg_Xn8X4_(Ws6AOvSKlYQV1K=lX_>#qOM3Or z=IUxmja_Oko=&z12__KDiRyhU=mjdp@Z!vrgTNW@p-B&ELw%5&Y34u)esa{v4Jpw< zBW5%2xuoO+yTpF*oW|~wbhkin+{0JX3N~`u{!A@rrxMgdvVNe(V==%Nkx_zg64`ec z`FBshm)2l`5ivfDtkJ3aB)Fdizo?|)s95~ClwNI&IU-n?*uFs6LY2xmBeLft(9>t{ z{Y$n6cm2%2OW8Q*@XLAn{%@`24VuoXG*pe{jg*6}gPtxf)9j}0>&yw81@U8+SLGNt zws8)dL-iPUEEUls_kXq@sl`q>D8r|i<1Ix_(#K|z(#?pn$GGWNLZ=>~MNZz2AB9ia zU604OU#~m^Jum-&yU}lAd*#6L&VuEhN)4U5KRq8lTHU$-dE@>+Y!*2Ccwjkl>R#V} zy1w_QjmSGY4wn0mHuj%tfbz~h+JgRn<=*q(4zKn%?pX9YcRc#RQ+MNkxf(wgTx!(A zE9Q;c)>y(TXSb;TG`&ZIQ98C~K@+O`ak}pYXEL(yW=m)-yEUcquv;p4yPZ1Hz!h(d z`d>v4ZQyF`zJ@DYG~ZyvZ;gSZ5Bh3>(nPpf8sBF?`L)y$B-Bgq=9Lrq9vLu?4-{X7 z^z|uS>YuX!`FVC(>uy64uVWVV82|x3mV1biPTAn zuT(+ti7VulfOcY z$1T(VL3lu+4NX#0abdZmhUZW~098C_(1%*`19JMu;H3FsFlI)|0=r;mrn&)Gqoxou z4suj~B{ImfN^yuSy~P2otQAwn^JfSWEC&RG=mhNRe`@Tm*iWVr5GaPQ-maZ zkVo-o>(Jc3>@xUoO>&xwZ31)&Q~qg1Ntgk?szDcZelqVu#TGji+{M_ji@d4^_6{Ft zH}nU-?Ae`qN#BG5lHwIm zRXB^u{P{HKMP8+qKCbo__M5$)u*7bE$9V$zaRXZ+18?;l>HPNmRcy2pErznVh}_me zdm}qPkU1iIF`W)4!{xHFak^yk9}_0~qg@RsN_&1%LGIr7g&T9V?Os1*EiTupJGM?D z6n*~-?PnA8@>ou=1VKM#P*p#c_d76?qX8gF%y?aiuLF4PsdsmZfVtO}s-{rSzwPp3 zidKwKz&~P&G=P7-Mz}t{_b2-P{0_h9r>iWsP*{vXtw{pKQeY<-Qh)o8styRlv?QS3 z?Y75?P{?7dJ=Ww6AujJEE~jw3YZd}}S1yC!yOjG<8hU8HQ@S7UM9i8uhXbGIx^;UT z96?k123e)qd{cm5^|ne<0syx`mQIw1=-thJF)U0n_hm_sEJ)2RO2cT)0JVxmlFr3E z2HEZ{dI7VZV(#j~Z7qLf4&EwIp@655<+;^GH|(5zC^AH#>7n`!&@IQ5azE;(F2@XK z2Pkoc;iWfwPiJ?r`W;QgZ)OVzo;Q~w61F^3WZP8YY$`g97@)A1qo3VjCoWg#M9Q2z zKeNt0@THi%du0aVux1HIfAlCUiRi@$U&#oMa=BmG5TOWUoGg{_J;;1AucFrL@9Nz8 zqjbAei(@kN7FOSGHlNs3Q>26B$_L9~zTaC!tEkD!6o+jzvrC}p1y>c=wPM;lCLEfG zA-{J`{G_K=hJ|Za#v(Osu2MOFvOJooihzyA**ELx4$=HJye){WOJV8lXO&~+CMr1p z@m-;bFKBq_Mm)cGrayd^8#zuDzY>~YVQNApxJgU)QzOC4+K{AAkv%|2m6}2rZ;F|6 zNjUv$<(OQ6oi5}I-lZ^wEQb-VFVjiI~!5jG~8!$IPA32nL!?^|nnTED{p zDXd@^By~W|FGtxXxfN*iiE`CH+k~68ZYd30!_6?UoT6$P`B1Ksr2~wzdT!?E)~xJ4 z&TCK5QCe5LrwHdY98D)9`lwv@NF^xUkn)OA$j08=UR`I4gCkJZ#8(LZdz6~%7g@ba2IWmipU?VBv4`W|?WK z+H~0V<;LXER`6tjlLqWhj=7!4HqXii5Mm$_#K3UbFw_#NL5%`ebO)FbBzOrgomu5d zNCkOqT9@R*#8@R^rQhU&!F#3eR6vVpR|hz$=)vauq*KPw&U?q~AOHqy)bo6=5MBoa zU3_u&^~M4VsATYo7@fBtF>-~HGI3mp61kOXys$7gAbrj~=kQ@{V?UQK3fd&NqE3mO zsiHbZ?9RS(kt*C+gl%x2uKm~om zDRItepz{N__!2j5yFd7%cRDxz9XEbW?5P`V-#yME$HLl6Xz+Ij}9zTFUm0tSZ9@T|3^E(m9% zQk!-wZ?YoG2NU0t6|_s>Ie(na3S6#lrT|$v=m%Gn&_6AU~u z{&4fDT1kum=$!)R`B@j)*l>*^RFX$^h9_0z%)3iPGt6_WNTRb9WSs+IvNi-7Y0@bF zbkgIwrQ?*Q%jQ-vbpX_uv$2{X%|0S$&!h1WLWYLV*O`!g$&;5N*gt$yO5%$-{-;n^74c7;W(8M6uNOHgdVp^_rqhmWBx^r?j)FLh323CCpSL>df z>WL*dr%0SntHp-Rr)n}pR0lMpcIkWq_vFYTKXJ9@2T(;nBM2&OA{T$&;t&#&sbYS9 z3~%e^F>rI!?RsC*Hqnkkc{4gzuIv89HwdTqFYdVCQ zC!98^Ez!-J@wiGoupXE3+2bo(RC-%j`kPeOa%joZzB#P?_ApsQ`rF%U8BwWr^q8nb zSI>56=`z>s-*OXHK6@}3lLp1{bN7426P~ik9@AT39-H8S;atI#o!T~{MgKbgy8Yd? z!<{UnwiHhpOQKdncI>O?2O<|4LruSm)5)C3BoaUX!4Cid1*9CifLyQ_HJH@^z|WTC7o^*b0PMSx%bBCuB0Y%LQRe&%_fL! zxo5oWb^oNMKmnrRfe=)YILrH~!25C4h&UAKHfo|=P-LN{J3}94NtqN*IQXuK)D|X_ z#l_tDgpu`|zu0eBPeYGH^$6cgFhj8xQ5_bM7aKbJD%gM1M*svrWyH*b=!f)cy$ADQ zf3&BlEw5iK#A`ayxV9mWOZOwd3)k`@(RehjlkE{;%u|~uq`1M*2o(8rDle#b-PtcA zRw9tB7UmrauVRd~F>`;(?T8yBN@3H4p_WdQnQ}SjN_mDzb6kfN^n3xq=k-Pb~-|831t>*G`U_pMQ~T z>}NB9>KlEl>a%RfD0gQii?ua=J;9doH^#xQmhi$zSLbT)^kwagg zc8&j@6&?=64rR^=VTzdskRfv+E9kN~YJe z-D_v*xQ;}kUvq#Q+4uzM*l;u%;Y4jX^{0HaQsxx3GfQ%oTCuRbr$<3Gca8_(rtYJx z4N*?g^pX!SyqgwGMdE7niJ^1LQ5mMNq7QLx*7E}lQ5NcEhO-<^-zhs_OtoE016=8C zW~#Q6xGH(=6v7i?!!q&&@n&Som}ubDo1l;dT8_uix5)Ci!WY`+mhM~=gf?EUxSpVp zPBQ@%E8n3bCoqT^vXZ62S}dv!l0Ax;NJ9jrM#3d1y$N7Hlxg~N4#U|`(I*HW^*m7} zeUVQJOBu)424jRRDK>D%m^D)slJmt=$tC%Ce5sL(O;(Nn2 z0#Bn;9rC>BJCHV%GLGHNc}k|}>26kT;>n;aHJ!y9B>qZpNy7|3Jue2&y7BJFAR4<9 z-kfBx2Tb%XT1!WHWyrYb;soGa>f_HPVzTLNQgD7%2E5Hc5C$%a(@9C3xt&kwICZsd zMJF?pV>$%brk3(VQhlvzeI>u@&l!UKNS1x!4v?~jD$ZcvQfmyw#5Zj)t@z%fp`pnz z`LV&2h-fo;HB!0NRCE5<}-AjJh zzN(_c#8zdUoDEdL_ z?$ic=uz>_mhWL8RzO4M=K2Fx zL-xXUH4SwPouG)N+E|b7-+lyix>;s`|6dPh85Kvgv}+_taCeyC?(V?@L4&(Pa1U<5 zg9mpDB)A0|TxYOgK?fV$-C^L8bME7} z^>ZLCEn|;17xkHR*!7UvLq1~TrGC>do8jUL;kLmVCK`mL-HoM9nz4F)EX(OOJ?Xz+ zs7O|YGPt=a@_nRsKZXEWKkz}9kAxm06-*_5v&yJpH_6!vrDx{o(Lei@!3M2QuD*!% zODuar7iF3&G1QtuhzywOJONCaeklB@t2NZE^9t$b& zp1xo2UZ9 zfv54Y2I~1W$QS>-GYx+V!@#i0HIwHr6TNBeD6-Mz;^m)&4lTc}ir0uZhsGQg85u4B z9@eo8_tpGqJ{+H@)&8Kw+mnR}<9Tu*IFPfo#>Mu8Y0Pa{tbDBqI}C3$3w_ayH`Npu zxHJEdC>gT3UVw=giemUN3h0jVJ~t+RZJ#pImqo^xh&1jV!)L%I!OcMXB4rn(S{>Yp zlPfJFQI_Ayah%0FD{X4!qF>8u&I^^mscK1+VE;P*AjT%R%roOcCxBNpq_Ee;t`Ui! z-PmZ>H2nd!)7a=5PZI`B( zm8NN}BQ*9Y8b1yb9TiZW=XeJeg<6ld7H?J^MuEm(%m|@}^RpHsuH4pB)Xrk8VQFwf9yi@{TuRsWORHHHyvT_J65!#SXcSgs+Z~XjX*k&~gc5 zJ1aRU@<#DbynH%b>hlo#9jmINwxhXK6cX={bY18v=1rPX9%J2f2;a5bY1_F12z{iz zde%x``V@Hg+nKMr-?l-o8IDEw{q_iF=8BLf9kfYBxDn=9zdFBsZ>=h;9k1i80kWum zFc;)_@$^~F0)Z&SWRLloe`?`ns{xs{BZlPr!>_;sMvBomsp%!IAQ6{Q*Pqe?tH!ye z+X~ragZx7*{W&$b5RwcWLQ5;jvv;NzT#91v82fR5CYm{^YI7so);f% zb^q}Xw`?*NG-V%K0TL1AVvOiBq?KhLYL7?yqr~&cWMWJ4W?>*?M-rL4!!a>RtKg19 zH-t+GS8e98Rcb=X!mV7wq_gVaj~5)6C#R$G9)L!}@MeZE@azJK5+V|WsmOgAg_9sqL$S{ZbaL^dhR9^wl6-m=l9ZmKQn~2W-tubwN zAVlzyiEu<&gD0o``dDhIr}SNYf)1M`$-q`HHc(djxAj``NvojNsL{k%YWVE1Vf+am zZXKE8icCa7jB#o;=;!n+xKEi_(};NVIRxNviv>$xt9NW84yrS(2(nMgp~QtMG&bDIcSBTb}XI@5)&YeGMU&z29A zt!f27!%~cdo;>jehkP~ONz$i<&8nL|fA&M~~*B)cCioZ;f8D z!wIyTl#NHq#Tlz@Awt}uh5HWFQI3Pil^#dc3vI4)&Bur76#L$k zjV@yPAHKp#=d6*Pgke%iPY2o2%)ow&#`+dxX#-~@I-^uBdSBOz8#U(0LF~9=ZE%%k z|MBaqebAgm1}ouEngf^F8F5j}Od+ixksbq%*he&)H_#t6ROv`#qV2{x6gs^?H*Fsc z9_;L)5(U#XN*C7I>QNN4_>{!Oq_BP8jCfd+Il_w5VHsNIHK9XDvBg2QwUCae-mKnG z?T&uV?%slQneS%DN$+Z8`iN6iqIIxeK@DatCYZ1|Hei2x67yRxVZ7 zgHofXzJ(8r4;~65N@eXBmHS3SUaANc8GoG$aZ$S-`-@`zRWBmZAMGzS2Bg;~Jdwb& zYJZ;qwVH==_fAy2b~!v4F)|g=A@}J;z?KDWZlqNg(T!0QE{Md`vkD7cnZWNWzKR!- zUsyn{xEz*LNffg7UVY>J=ZzIw3!P8$=^Cb6iw?fZuC;ddCf`&f(x{|aMu-kG{h~<7 zn;8chP9bPdL19_378B#5?Bw7&>k^W_bd!G3!$HBTHxAOe(8%5h zHbzaA@7twzo?yqxvA@vt_@Z+uEUx}F1aVE79lN*N>3D4B1jTFe^!gF&@vYfM>_$n? z%C#qU0fiRkV0=~Vs3`22Datz@X(#OL6zX+>T8JOD#fu zxcM|OI9t>ZGGH^4l%BTYv&O+Hxe^HCsy8aday*+~BtfncgT*2kxboYql!NT1GBcd= zXS7!cSbwyQM5W8DrA&_A=9(-zz1+bri`QfY4X%xPfKhO<;FdfDJ(HrLq|*am78v{j8 zC(Y$;C|OiFvgUxZSSDvLR4GOuzfIk#^V|M&k;8HF?&!GN&+ZxWN;$-rAK;%#a5_|h z7d^EldwEft%(Gx}iA1cIeyl{+Rs*a2)w#kt`{5RZ)j4rH?{te|%Xh1KL*dq**ZiB7 zm(wgeb6ifuZz$}0FN4keWHrNJjD4&NPS$`C-QE) zsK!JA@Xc~8E<Q3n(9qQwMxAXF8Wj_2lqM2%X18p-W`vs5b`yptw1F{czTN) zP$B%Lq2Nf+bs_rK8o&uH-*JAr5}=9doRBhjBL^>lF%=G%E#Zz;5_Vr6g_?dU@VL+& zf_3ZPxSjO_wOL0hZTP-AlIfsB62{P5v6 zS`2p7=?Xeiz-^U^uZO!w9bm- z@l>r?=BRTq19lRR*0C6<_qJ;SDoihK#pWIjbav=167b}(c%FS%Y=C$S+NrH${Bzhs zz@7m=&6X#2e*-EgV>aPUfxb%;RmNv@z{&eb(ispziY@8becXIrl+G>@?N(bNkHWw} zRLve+_P}}&-n+Zgh*xwIS1X`(?mtzq6I;#6qkjbpCS>W)D2>M9rFqlI&E&M;vnjZc zS8~@tDoVBrb$y)9zopA1 zh*7?sKd%louQlK-h{F1kkm#Y^!rA|hUlQe-Y5g}>a6Etx4oT*W!sBz57Is*P1K*7T zH|IK?cFXrq2leKB{kWPQaov*%f%;m$&HXGRiSz=daRwhIO+M0CvQY?GAVJFd6EJ4M zOxklC$_hONdNERa7m&iMK;F3>vW)(c&6)HJ&RJz|`S3$ZpVhS^Qoun#cP_p>QyUM6NQg+JKsX^I?zDp#V>(9{Q(WMt3e80dD*p zS5LMD*t!K`0FjeU&^Ogbh3%nWkIe)7l0B56si{;N704mPxxxCyvQ2VBAAo}&@ zdGXM?ruE1mVb=FPR|&})N#CHW;&3W8Kegv-YDpH}np$w&>Tnr!=wW2}4&FEU0dOD= zYuv7NM+wHwdJ+4+)`476_nCmXiGW+1g z+vmvEsb6ikYAu-(pvT@{9QQ8zo6X9zX&}2$53^cGzPb9)*wZ0&?KP=$gX#&YbT$gY zEHj(|)GAGF?qt)qql7YgY7`nj(<$VrUWp9`*ggII=Es)pDdX?QS3#7el@iiMgftjL z-uU(6w{h(QTd7ZLdZ=LKiD7o>souWdz0E$bF~hTZ5Hd2)&Tcx;_8{jmlTl}=@zyZ* zmcg>+Cbh)y=*-3_X({vFeWbuNQ8@b^z#U-|hu0G3-eH&i6 zql#kB?;nD_yGLHyN&M3gpW3UhybjJn+Yo(u&eDPoh6Te4&QLO^_MceG>sZTR+0T%& z*AFkt@;1^hqc0PV%tdQYeU?az1j7z3$Y8vi5_?uyM9m(z|M0_$e3=NA}($=VMu zx4s=~feA+}e8KrS0yO(tFcc|QFX;B;4150Emq}(qg^8Wg{{8oYsFDRJjCbe5sX{N} zXA{kT@odvHZ4^`*>)PB76TUCal5}^DHlz9`lEsS;*2TvRP3%qK+{HtfO&_qc)vNjW z^Z6}iOG?1D=<}RkE1j8JYfl>=fs$NOF&X&i_LTEzEJ1M63!n-&JBHOaDl7s?D-#KK zPS40}k~R)K8(f1SgXWt2W-$wd$ZTt!Q^;)a}I+4O8QbYSW^3gp9&db{K!vxzO!kktj;%9GW3E>vOa zDG6#sCxxRb{tGhl(&2QnAO0`2UP*^jHV?dp|14xC;uMXSz571_haoPtG#(8dwRFac z-hZi&jGTa`iaQ?19E?ZZm$XeS%Tzr2g{>H;XmE&t=8XV8b)S1Wo;iI(1sQ)|nkJR! z0^LYhoZ_}r;&mDdX-?^d*+7jB)l+iqg;~!BUv;fa`n`Vxq&9ahBBC^$>{>8gUdjv{@7*mE3=I@W*}Bslbt&6tH|RfFFFN&rmo| zvFAR*??+uJt8ORnL@X%1EzI5Y%bZw)GLziVMzFG4;1GZWB9PGwz?(_?8Zi*)Y^xi@ zW04Ku7c3y~%{yP)=N6tpg|U$_(^Xg$iTI_Jf!nb=T@7rU9otjrUp{M(s5~9c2{XvwcNW&GH(R-L2C6a zWSiIV!QMnKOwYF`@ig6VqYvC0W_47t>sQWi;^2;Jh!P2J3BLy!$bTjf&Nt;dTP47< zRXXYYZj}CHHOTDqhBm(;tGJGxFv3ZNI3m!O5Y5oGL}Ot^ir|Z&0>RDgL2;cwTGT^; zwy@TQ`ozv?5tV6*%t{tjlwYRkYgrkq>Cetc(cGf6`!6qn?=ma-!cp0gBHvp?_X)3~ z#pj?X?y=90F87I6Z;OHx-}goW7+qlA(e$4UpeNQ`XT=~7oYDbfb5^>Ul!2H@?Qk38hy?zH2)gu9a#vaq~r@= zD}-(a6q-{RH(OE{K^xtQpyC4Fx9-Gb&=0rniH{kQCWKb4{J1;;Q! z46D1;?Qa;T2T9Pb-OkZ{b9YiejZ9zIraH(?hZBm>ygB^Kpo!>Hp>rKKeXuRvwf}$; zaaA}N(op13YXmrd8T_H)h znvM6tW{)yKP04kfWzbl{z3=lH&K;j&A1q#}wL6Og`n)vz0aGeoUkf|S9}W?f0JUJL0PloIMk zn7+)7UL4{k0zAdjQ3PFw$yFRIHok9MyATWZ&aHpjfS zJ+6#z{}&!{T42T?r*5L) z$Hb(|H$MZ~j)Qqi^L5{6W?hsW$!RI8P?K?Xr8zY%SPd6djMq) z>)5(n#%ncZKm-!LvnUG8Cvz{%CwTHZ84l#9eS zP=t$W=Gv)CdA?=P3fL8I13W0S1V-=El*MLp@SLGo{Ez>EfnQlA*2gi=+0aZ53*d$M zYcu9Qodpow1JH^1*M#u|-Qh7F@JtSs#2~#3`_lsm50%{N^^DnTphUM@$KE8n>tD{Q zffK=9%Rt?CH>0@?+H1Q-bU%&C0^Z6*`UiJ?(1qjmK2_U=M8m~S1AUJ)&B)1}9gSgL18zChGRAv=S@4l|;lrkvIi~Zlgef$OBVh zFaLU9SiwI3ni+VPBosKneeN>co+tb21Y}7Bin2yp%}&Y~_a)zP@>mV$cKnmWl{|j` z_J@Htrn(l&I72w%_b`4}YA$rQn@^>E<*2MewX$xaEQ(5`hi`3$iOX0bjH2u6G+F~4 z-d9iB6rCFE+7z9L*rQ3R*Xys-8FTqIia4naTeMXriy=8hxdHJ(*jMr7OZsuRcKP^u z(vxIqj$V$DqxLt1c>$KCXc}*vxY3lbf2ePE#$)CuEqZntLgDm|lV`p)P45g1nMR-y zN3c~^B)PFRgo!(d3N)gvx9vvM5xF8yUmQutDD;+&7UM4V=ZN>{%T!Um`WkXeACR0w zrHnzeB_EGX*zyJx!e{ea(p5;p^~AKmgrfRqpU>k?`; z$SfN);*&+8lsYKl6ZtI%Jsrjh6a;crHVTeC%S}>h=4BMVAGg7VGuvQOlfmRiu58*h z$}OeTqw9SWWxNC@!P7IxnNC+?0WpBkmmO6F22Jd1h1mX#BhquSiJ zB-rQ_PWnG2JVgt=%3^346O2H~r#K3#6vA#>1IhTWaDU;kr7${{48VO&d|&e$zW-^T z?kimXqk7K$S90M{2of4d1{?@oQ1&LDZuKW${yW{n$$-Ssu+sKe=w|&Z#^iXj`KWDa0VR%Y^H1YBI_Xu0pwpf>Aefa)d z3fi2eKMcM$xTN)uPfKC`Z_Qq2WpIkrAOf2(Rb~G+c+4(t7qwUhaCN4EkU3B*xzez zB#6>?iq@2?p;TtP@xsv`Q)yngD9z1*7|!<88?1O5RoPFTmweKoU@DVgT6Lkr1{=39 z{i4wa1?nrLoL_t7n=PJyPc6rmtN6A1+*5w;dZf7t-Aaj8#q{pe*MfvG@Me1QV7lm3 z#;TRKhCgt`-pvA^JT5b+M;&j5UQ}Ha>hBV!*IE&T>%5f{E$8l3_y?@CYVUR!^1D&W zs-C5CshkFokf1>Qp@_l2Z%p-V!hZ%xC4-&Gu!CS^!lAw3x60O&?JJprFB1%ibtZlMTqBT6oqF8?bO&?LT*HaNP@A>IVk;AA5r(ePMuXrGTSubws%T E2Z``HO8@`> literal 0 HcmV?d00001 diff --git a/supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js.map b/supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js.map new file mode 100644 index 000000000..f01432f3e --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.eb298d7a6a3cb87c9fd3.js.map @@ -0,0 +1 @@ +{"version":3,"file":"chunk.eb298d7a6a3cb87c9fd3.js","sources":["webpack:///chunk.eb298d7a6a3cb87c9fd3.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js b/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js similarity index 53% rename from supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js rename to supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js index 8038e0288..75a22685e 100644 --- a/supervisor/api/panel/frontend_es5/chunk.0d1dbeb0d1afbd18f64e.js +++ b/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js @@ -1,2 +1,2 @@ -(self.webpackJsonp=self.webpackJsonp||[]).push([[1],{177:function(e,r,n){"use strict";n.r(r),n.d(r,"codeMirror",(function(){return c})),n.d(r,"codeMirrorCss",(function(){return i}));var a=n(165),o=n.n(a),s=n(173),t=(n(174),n(175),n(10));o.a.commands.save=function(e){Object(t.a)(e.getWrapperElement(),"editor-save")};var c=o.a,i=s.a}}]); -//# sourceMappingURL=chunk.0d1dbeb0d1afbd18f64e.js.map \ No newline at end of file +(self.webpackJsonp=self.webpackJsonp||[]).push([[1],{176:function(e,r,n){"use strict";n.r(r),n.d(r,"codeMirror",(function(){return c})),n.d(r,"codeMirrorCss",(function(){return i}));var a=n(164),o=n.n(a),s=n(172),t=(n(173),n(174),n(10));o.a.commands.save=function(e){Object(t.a)(e.getWrapperElement(),"editor-save")};var c=o.a,i=s.a}}]); +//# sourceMappingURL=chunk.f0fd1d9d4e2bfcaa4696.js.map \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.gz b/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.gz new file mode 100644 index 0000000000000000000000000000000000000000..1a4b775abf4ae31669edb2edefefd326fc8300fb GIT binary patch literal 285 zcmV+&0pk82iwFP!0000218t81XTv}g#{t-x;ij}S&cD671zs4du{VB z-d#GR`R+@K4J-IRf4|@Jo(OoV;2XD%vB%fosnP$M%VoWh(6nJM*6VDex@=xNRV~@* zJPA~+NOox(FbR>Jjp>qr1xrOx3RbE0C9WK^=TwPbPj-y4WlC%>Z=la1+@#$=FVBV( zqe)~%E|u2=B#cyHZ00kmq88)yDAgGGHKv2+!GQI3ZKww|SR+LtRf?sHo*zavmHqV$tB0-1=>VqhH*$G5ncOGAw`_4W=#F-uA8*?3 jTRK8Dt;(!ilsV3}l{F?W76lvv)Ta3XJxl5ohyefq8_I_E literal 0 HcmV?d00001 diff --git a/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.map b/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.map new file mode 100644 index 000000000..20a317166 --- /dev/null +++ b/supervisor/api/panel/frontend_es5/chunk.f0fd1d9d4e2bfcaa4696.js.map @@ -0,0 +1 @@ +{"version":3,"file":"chunk.f0fd1d9d4e2bfcaa4696.js","sources":["webpack:///chunk.f0fd1d9d4e2bfcaa4696.js"],"mappings":"AAAA","sourceRoot":""} \ No newline at end of file diff --git a/supervisor/api/panel/frontend_es5/chunk.f60d6d63bed838a42b65.js.gz b/supervisor/api/panel/frontend_es5/chunk.f60d6d63bed838a42b65.js.gz deleted file mode 100644 index 213267de12a42c2813bbb6f1c16adfbc2b09d0d5..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 5533 zcmV;O6=LciiwFP!000021Lb^ocjLC2_y6ywp!x2xfgOmp(?gl#Oxo>t=8Usd*LMy~ zLK0#M&;cNO99iFe(MW(IX^m61-V%!_51#VFQ$R34l6s!qlbbazZ~rJcTNk~S$H&<< z%+?#Z1hd&E*JykG`Iq^8!%9Ut0|Y6=;5OYzl1L?JsnRLS1W<6wz{g+0=^Yk{C>Zz> zB3=LnzBq%3finmZ)vf1e=XT)7aGIuB$ytdNsCkJE@oX));w7(9dU~3|UiXqqV&M|oFsY~@R;9UFZnI(sXxFq$zNS)5q9U=i?)iA>Re=b({<;2Oe z-<2d^l{GDIixi#o`(({kk+xWQWf$v_f7zdSvBVR3x0qPnt+84bC+H+8Yb<4vn#T0y z#c4EVfW*JhHA#-~YCTN^k%|k_6YI2*t4H7@D6cxGymhR+ljLIEFltepzWmPo$&(Y5 zUYxF9#)erRq`mCW?n&T00A=fq>T3XR6rb~Qqd7_Yy*0ieb&8GVYVQZHqpSC%#JD2exJ5r#D3QRv67Ytl{6nmZ&y{pS@s8ccI^OC4ddC1 z?F24TjmeSKUXIP}=_r7)%V3}|td;pet*oAgPDSrtzN)GTXZgjcc^Cm#MRCm+6Ilvg zYs}Q7L3hVFrGEMWS-q5fqT}XY9TfEL|DgHr4r=A$u=&5|bwz~y?`{8wgOVHnqyTa}?a|APg(syGkAj#1TajZk2ej+~b1G=rxe0sKzc!+m%?AOHj8A-f>zb zOgHRsR&hoy6)0h@IayIjGC?G-?}%>7)RHiumxvaA7uCv5qgR|N)RIcX3LQQ+E5ej) zG|0$(;>iQxXIa8-BGt;m>vjDAv`En@fHZ5}18Sv|2&0sd_bNqk5siCe)Kc(!J4ga6 z=@~St3sb&x)}nK81V}=eae<{N&=rJsvgP*&ohI89AEe)4#<)sKT-OP9SWU40U#oyL zV(4{@1@OA?c9cZDX-)=S&mSL~@g3xl?A^Py8TIa6p)|mt?G3cw#G{Wi&Qflvr$}@uB30UMplGMO2X^Ij!yNppaK@q+u1TqdI`Y55Sqt1r|F8QB{ya$ zbPHwGr7FA!BF=rFdqI^+=JKO6r1dbTi;ZZW3DY~>Kb`OLR5Q^fr5hST2Pez@$?_SK z=akfu7{|vz6WE{RMd=YZ+chVjTQj*w?b0{ojk=IlUe3_E#wA%1X4sSpD_UNr?r%Ck zgWogV+(Ioy6_KT&YsH1$p3~O06)Cwry_8xC5j_@hA4CH(i>%q6KM_%Q-9aP*48C*_N%X=wUX6Fs>Dyg$+~T~Hpo)A^PVl0)_EFCs!Qic^S^FZH$+%xq}lQ# zT3v+`d>g_pRqm#NIPiV%R0f=Wv}Ecf@t}crr?*ejxn|xe?F@;+2=z(`{9xa3T&O8~ z@dAn&yDo_SM`JFrJLv1S8faFg*?5M+LEShYW0|b=TgS&H zzWZGC8B$kDT5Vu(4<3d36 z?eQaW0lf8$;?n)hg?A2GwxKHI!3bgU0>rei-ak8W2j$dhkTCz?#nve{*AK1g&4Wgq z{xNU}zbfNTz@ex%C$ zzJ|Mo<;!B@Ky0DS3J@*0_v#a!)xRvxrgSoK!pMDLWF`%71js!} z(7D3`cB-EXzVhsR+ip=nASzwI;=cELujTJ72mm-kT-VhQU>&6~oRXq!kb|B;u+oHE zgB>4x{e&jRTV0eMY{n>cP|Zfmyt$~o7N#2=yG9qQXPaw-p*{-ZBO3egpl$0ty1J%~uJ`-2meovXEpx494m$}Bjr8a@Z)k!j8rSSV zxFyk3n;1yVsJtM7b*a_bbmBt3IG^ISdx~|Zab7cdZSZ80vl+HOkB?1b0HN;+4bR#{ zp1#>fJ&VcMWY$uB7gA* z)Z%FWX2{;XlY}<_RBOv_)OTB1#X4W!wUla8RQpea^B|K zZj#YD+q=-B_0NhVYb3+0D6E7!KEL1n(gIM11h!U_mUXmwVW@1Ntn7{PYp70Bv+5yivzWMcD)_{ze zIvj}Fo&W5aVbrsy2FyQyt^?)BG#@qgus-eXmjj^pgTmIanZ4LB3!!FL%Fzn!%$#TX zGQ}Qi`ZC`ZQS2H5(k-Bb%PjlH-NPX(Z8_LG{EgGY)KtP^w+nB@_f^?Di-=h==kbG! zvlnSnVs_FdUYR{|Z^53KB54|ubt|c8t2k=T3NA#W9IBPW3t`@i^X3A&>Sk#?8$XcM zoa11w9n?}FT=1-OKGvbu@S#kZ%!D{q?W|5?U^{Re0ydTma_V)5_1Wf&h2oO;IbrA>S4~`X)7ga zNfL=yA+*MfdoEk*1&tnd-vWv_w9F>TA4tGvC#W6JZp8+qD+m!WghtNJ^}z3AfFYjs zoPZw_9Xx`WFE2HN5TyR*-BM4Yd?Nk5nG{|lFmP~-YIK9{(N*KHzR%;s_M>>lnA6ai zzIhol8ne=?jn-#E-me8QJTd1*d@`>MWM(H^bYGuEuMC>v)TkU1cQVJ z2`Q96mNPWMfVKjB<2nf3MVDZ>XGl%IbKN|C$JG+?-T=|)l^27^9db`sexbkzm$k`2XC;zEBPxa zr}?7b7n1WIZTvp6eDAfY-mRW)_r67{`MCeqiq^~pSH(LZ$bv9pmwmfoimps0AZ|m1 zPY4K?tOiEk3%mxs2tJ)cc~8xa9^;nCT|qKN-fKc7mLxgLJw4Z2e1yEbGAp60LJYi- z%4EG+z^R?|kxL0%rD~G0eTC2fr~snq4$FKG;)PQ?;`RVOqpYkq6_Fra@)g0&ecn{R z6z47^ZO!WWUN@lsOO{RK>;Cwq1E=ci^bu^_$qzPX`b zAI538J#t#}68Bl@_IiqcHV=vJndq)P${c2r3kAT)ojgO~rLuo6&-00PU%qVcd$j;; z-(Ic*vEFf@r|LK*78;I2w+y-?!URkG=zqnm>Vr_ zJ0BYn*9s!dYj91iFH3SY9MyJkcoPe~9%)_ne%Q5|YywlC_2c8NrY~D3GlyUS8fndq zf8snvvn^?c<8A53@zr{x$Y0$l_k2^Edno(HbRTnmuRD{bEzMKSkD@qg>XN+DX+gDdvOJL`8kKFpnwS0tiERw`Z^Z?#R)ZkMioFCga(`tjsFZ zQY<0ZXo}Y(8ABI-G0osTyTNyS8^l;))^(fm-Tp9d&Ki&u3L>WAG0IWE*f>KWxWo^? z0Xtnp_W6O^VUQNYe@>p+8ROIkpw}jE_aBzL`PksUcZegzZ=THI?8Ze6v{h8q#JuMu z$phaca^rv8o7~CESwAF-C*D=t@RhWYD&4h7Ae{r3_`$7T@RR9{AozCIvVm{JX01T# z8d5*?lU#KHF{ia6qAPAgBSZ%{mWLz`FM0%GUF83Yltr=agrmG4?3^^YLVop}?M6MT zz2)4Xwit1tsEzctvVFCtAbs=t>W37i?u_KLnIccqrqJ!ua>-eG>iInNCQh|L{>zy7 zLMX0@P$0eXlN$_FM|wQ(BqYE@k?!H6cjg+CH@tetRzym?AUo)-{^b*S+E{wl+Ts3r z*;(-K{q1`5-0k|`a;qwy+|#vf5Q%({imVdMs^56mj^+v52Fm#`ly|<;{tXaqgFi&- znQ&$Y;LHxd`LkaF=bLB3InG7`lI!Oo`M)cUt#H2$Vt-Avt@s^D;Q-21x46qVb02=1 zWb**X)B%uv`b$7oKNDmj_3pxqJwLzstx)DW&yWYg$A}l98m2{hir4h?xwdTtH$lz< z^CT2+LF{`Ya60=tp8Rw+`SSY3>4Kv4ofZ&?qT;22 zf`2K|UMNqoLHAOSd7&~RClXnsnIbg_&O6HAwJb7}W(v12pXCzk!EZTN26Y;+-z;fe z0Rc6Y(f|td2f97g4D=#>e&9HVBibS#&1Prlv+L`z9l#FmfCW(={;>u}tF~nC+@||z zYwE|x0g&bCKQYr;g@cye7!Ur~Wt@k1&&void 0!==arguments[1]?arguments[1]:-1,n=t+1;n2&&void 0!==arguments[2]?arguments[2]:null,r=e.element.content,i=e.parts;if(null!=n)for(var o=document.createTreeWalker(r,133,null,!1),c=s(i),l=0,u=-1;o.nextNode();){u++;var d=o.currentNode;for(d===n&&(l=a(t),n.parentNode.insertBefore(t,n));-1!==c&&i[c].index===u;){if(l>0){for(;-1!==c;)i[c].index+=l,c=s(i,c);return}c=s(i,c)}}else r.appendChild(t)}(n,u,h.firstChild):h.insertBefore(u,h.firstChild),window.ShadyCSS.prepareTemplateStyles(r,e);var m=h.querySelector("style");if(window.ShadyCSS.nativeShadow&&null!==m)t.insertBefore(m.cloneNode(!0),t.firstChild);else if(n){h.insertBefore(u,h.firstChild);var b=new Set;b.add(u),o(n,b)}}else window.ShadyCSS.prepareTemplateStyles(r,e)};function g(e){return function(e){if(Array.isArray(e))return w(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||_(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function _(e,t){if(e){if("string"==typeof e)return w(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?w(e,t):void 0}}function w(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n2&&void 0!==arguments[2]?arguments[2]:I,r=this.constructor,i=r._attributeNameForProperty(e,n);if(void 0!==i){var o=r._propertyValueToAttribute(t,n);if(void 0===o)return;this._updateState=8|this._updateState,null==o?this.removeAttribute(i):this.setAttribute(i,o),this._updateState=-9&this._updateState}}},{key:"_attributeToProperty",value:function(e,t){if(!(8&this._updateState)){var n=this.constructor,r=n._attributeToPropertyMap.get(e);if(void 0!==r){var i=n.getPropertyOptions(r);this._updateState=16|this._updateState,this[r]=n._propertyValueFromAttribute(t,i),this._updateState=-17&this._updateState}}}},{key:"_requestUpdate",value:function(e,t){var n=!0;if(void 0!==e){var r=this.constructor,i=r.getPropertyOptions(e);r._valueHasChanged(this[e],t,i.hasChanged)?(this._changedProperties.has(e)||this._changedProperties.set(e,t),!0!==i.reflect||16&this._updateState||(void 0===this._reflectingProperties&&(this._reflectingProperties=new Map),this._reflectingProperties.set(e,i))):n=!1}!this._hasRequestedUpdate&&n&&(this._updatePromise=this._enqueueUpdate())}},{key:"requestUpdate",value:function(e,t){return this._requestUpdate(e,t),this.updateComplete}},{key:"_enqueueUpdate",value:(o=regeneratorRuntime.mark((function e(){var t;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return this._updateState=4|this._updateState,e.prev=1,e.next=4,this._updatePromise;case 4:e.next=8;break;case 6:e.prev=6,e.t0=e.catch(1);case 8:if(null==(t=this.performUpdate())){e.next=12;break}return e.next=12,t;case 12:return e.abrupt("return",!this._hasRequestedUpdate);case 13:case"end":return e.stop()}}),e,this,[[1,6]])})),a=function(){var e=this,t=arguments;return new Promise((function(n,r){var i=o.apply(e,t);function a(e){O(i,n,r,a,s,"next",e)}function s(e){O(i,n,r,a,s,"throw",e)}a(void 0)}))},function(){return a.apply(this,arguments)})},{key:"performUpdate",value:function(){this._instanceProperties&&this._applyInstanceProperties();var e=!1,t=this._changedProperties;try{(e=this.shouldUpdate(t))?this.update(t):this._markUpdated()}catch(n){throw e=!1,this._markUpdated(),n}e&&(1&this._updateState||(this._updateState=1|this._updateState,this.firstUpdated(t)),this.updated(t))}},{key:"_markUpdated",value:function(){this._changedProperties=new Map,this._updateState=-5&this._updateState}},{key:"_getUpdateComplete",value:function(){return this._updatePromise}},{key:"shouldUpdate",value:function(e){return!0}},{key:"update",value:function(e){var t=this;void 0!==this._reflectingProperties&&this._reflectingProperties.size>0&&(this._reflectingProperties.forEach((function(e,n){return t._propertyToAttribute(n,t[n],e)})),this._reflectingProperties=void 0),this._markUpdated()}},{key:"updated",value:function(e){}},{key:"firstUpdated",value:function(e){}},{key:"_hasRequestedUpdate",get:function(){return 4&this._updateState}},{key:"hasUpdated",get:function(){return 1&this._updateState}},{key:"updateComplete",get:function(){return this._getUpdateComplete()}}],i=[{key:"_ensureClassProperties",value:function(){var e=this;if(!this.hasOwnProperty(JSCompiler_renameProperty("_classProperties",this))){this._classProperties=new Map;var t=Object.getPrototypeOf(this)._classProperties;void 0!==t&&t.forEach((function(t,n){return e._classProperties.set(n,t)}))}}},{key:"createProperty",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:I;if(this._ensureClassProperties(),this._classProperties.set(e,t),!t.noAccessor&&!this.prototype.hasOwnProperty(e)){var n="symbol"===k(e)?Symbol():"__".concat(e),r=this.getPropertyDescriptor(e,n,t);void 0!==r&&Object.defineProperty(this.prototype,e,r)}}},{key:"getPropertyDescriptor",value:function(e,t,n){return{get:function(){return this[t]},set:function(n){var r=this[e];this[t]=n,this._requestUpdate(e,r)},configurable:!0,enumerable:!0}}},{key:"getPropertyOptions",value:function(e){return this._classProperties&&this._classProperties.get(e)||I}},{key:"finalize",value:function(){var e=Object.getPrototypeOf(this);if(e.hasOwnProperty("finalized")||e.finalize(),this.finalized=!0,this._ensureClassProperties(),this._attributeToPropertyMap=new Map,this.hasOwnProperty(JSCompiler_renameProperty("properties",this))){var t,n=this.properties,r=function(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=_(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}([].concat(g(Object.getOwnPropertyNames(n)),g("function"==typeof Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(n):[])));try{for(r.s();!(t=r.n()).done;){var i=t.value;this.createProperty(i,n[i])}}catch(o){r.e(o)}finally{r.f()}}}},{key:"_attributeNameForProperty",value:function(e,t){var n=t.attribute;return!1===n?void 0:"string"==typeof n?n:"string"==typeof e?e.toLowerCase():void 0}},{key:"_valueHasChanged",value:function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:R;return n(e,t)}},{key:"_propertyValueFromAttribute",value:function(e,t){var n=t.type,r=t.converter||T,i="function"==typeof r?r:r.fromAttribute;return i?i(e,n):e}},{key:"_propertyValueToAttribute",value:function(e,t){if(void 0!==t.reflect){var n=t.type,r=t.converter;return(r&&r.toAttribute||T.toAttribute)(e,n)}}},{key:"observedAttributes",get:function(){var e=this;this.finalize();var t=[];return this._classProperties.forEach((function(n,r){var i=e._attributeNameForProperty(r,n);void 0!==i&&(e._attributeToPropertyMap.set(i,r),t.push(i))})),t}}],r&&x(n.prototype,r),i&&x(n,i),c}(S(HTMLElement));function z(e,t,n,r,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void n(l)}s.done?t(c):Promise.resolve(c).then(r,i)}D.finalized=!0;var F=function(e){return function(t){return"function"==typeof t?function(e,t){return window.customElements.define(e,t),t}(e,t):function(e,t){return{kind:t.kind,elements:t.elements,finisher:function(t){window.customElements.define(e,t)}}}(e,t)}};function L(e){return function(t,n){return void 0!==n?function(e,t,n){t.constructor.createProperty(n,e)}(e,t,n):function(e,t){return"method"===t.kind&&t.descriptor&&!("value"in t.descriptor)?Object.assign(Object.assign({},t),{finisher:function(n){n.createProperty(t.key,e)}}):{kind:"field",key:Symbol(),placement:"own",descriptor:{},initializer:function(){"function"==typeof t.initializer&&(this[t.key]=t.initializer.call(this))},finisher:function(n){n.createProperty(t.key,e)}}}(e,t)}}function N(e){return L({attribute:!1,hasChanged:null==e?void 0:e.hasChanged})}function M(e){return function(t,n){var r={get:function(){return this.renderRoot.querySelector(e)},enumerable:!0,configurable:!0};return void 0!==n?H(r,t,n):V(r,t)}}function B(e){return function(t,n){var r={get:function(){var t,n=this;return(t=regeneratorRuntime.mark((function t(){return regeneratorRuntime.wrap((function(t){for(;;)switch(t.prev=t.next){case 0:return t.next=2,n.updateComplete;case 2:return t.abrupt("return",n.renderRoot.querySelector(e));case 3:case"end":return t.stop()}}),t)})),function(){var e=this,n=arguments;return new Promise((function(r,i){var o=t.apply(e,n);function a(e){z(o,r,i,a,s,"next",e)}function s(e){z(o,r,i,a,s,"throw",e)}a(void 0)}))})()},enumerable:!0,configurable:!0};return void 0!==n?H(r,t,n):V(r,t)}}var H=function(e,t,n){Object.defineProperty(t,n,e)},V=function(e,t){return{kind:"method",placement:"prototype",key:t.key,descriptor:e}};function U(e){return function(t,n){return void 0!==n?function(e,t,n){Object.assign(t[n],e)}(e,t,n):function(e,t){return Object.assign(Object.assign({},t),{finisher:function(n){Object.assign(n.prototype[t.key],e)}})}(e,t)}}function K(e,t){for(var n=0;n1?t-1:0),r=1;r=0;c--)(o=e[c])&&(s=(a<3?o(s):a>3?o(t,n,s):o(t,n))||s);return a>3&&s&&Object.defineProperty(t,n,s),s}function c(e){var t="function"==typeof Symbol&&e[Symbol.iterator],n=0;return t?t.call(e):{next:function(){return e&&n>=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}}}function l(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,i,o=n.call(e),a=[];try{for(;(void 0===t||t-- >0)&&!(r=o.next()).done;)a.push(r.value)}catch(s){i={error:s}}finally{try{r&&!r.done&&(n=o.return)&&n.call(o)}finally{if(i)throw i.error}}return a}},function(e,t,n){"use strict";n(16),n(19);var r=n(89),i=n(20);function o(e,t){for(var n=0;n can only be templatized once");e.__templatizeOwner=t;var r=(t?t.constructor:z)._parseTemplate(e),i=r.templatizeInstanceClass;i||(i=N(e,r,n),r.templatizeInstanceClass=i),M(e,r,n);var o=function(e){O(n,e);var t=E(n);function n(){return P(this,n),t.apply(this,arguments)}return n}(i);return o.prototype._methodHost=L(e),o.prototype.__dataHost=e,o.prototype.__templatizeOwner=t,o.prototype.__hostProps=r.hostProps,o=o}function U(e,t){for(var n;t;)if(n=t.__templatizeInstance){if(n.__dataHost==e)return n;t=n.__dataHost}else t=t.parentNode;return null}var K=n(88);function $(e){return($="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Y(e,t){for(var n=0;n child");n.disconnect(),t.render()}));return void n.observe(this,{childList:!0})}this.root=this._stampTemplate(e),this.$=this.root.$,this.__children=[];for(var r=this.root.firstChild;r;r=r.nextSibling)this.__children[this.__children.length]=r;this._enableProperties()}this.__insertChildren(),this.dispatchEvent(new CustomEvent("dom-change",{bubbles:!0,composed:!0}))}}]),r}(Object(K.a)(b(Object(i.a)(HTMLElement))));customElements.define("dom-bind",J);var Q=n(34),ee=n(40),te=n(47),ne=n(6),re=n(20);function ie(e){return(ie="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function oe(e,t,n){return(oe="undefined"!=typeof Reflect&&Reflect.get?Reflect.get:function(e,t,n){var r=function(e,t){for(;!Object.prototype.hasOwnProperty.call(e,t)&&null!==(e=de(e)););return e}(e,t);if(r){var i=Object.getOwnPropertyDescriptor(r,t);return i.get?i.get.call(n):i.value}})(e,t,n||e)}function ae(e,t){for(var n=0;n child");n.disconnect(),e.__render()}));return n.observe(this,{childList:!0}),!1}var r={};r[this.as]=!0,r[this.indexAs]=!0,r[this.itemsIndexAs]=!0,this.__ctor=V(t,this,{mutableData:this.mutableData,parentModel:!0,instanceProps:r,forwardHostProp:function(e,t){for(var n,r=this.__instances,i=0;i1&&void 0!==arguments[1]?arguments[1]:0;this.__renderDebouncer=ee.a.debounce(this.__renderDebouncer,t>0?re.b.after(t):re.a,e.bind(this)),Object(te.a)(this.__renderDebouncer)}},{key:"render",value:function(){this.__debounceRender(this.__render),Object(te.b)()}},{key:"__render",value:function(){this.__ensureTemplatized()&&(this.__applyFullRefresh(),this.__pool.length=0,this._setRenderedItemCount(this.__instances.length),this.dispatchEvent(new CustomEvent("dom-change",{bubbles:!0,composed:!0})),this.__tryRenderChunk())}},{key:"__applyFullRefresh",value:function(){for(var e=this,t=this.items||[],n=new Array(t.length),r=0;r=o;u--)this.__detachAndRemoveInstance(u)}},{key:"__detachInstance",value:function(e){for(var t=this.__instances[e],n=0;n child");r.disconnect(),e.__render()}));return r.observe(this,{childList:!0}),!1}this.__ctor=V(n,this,{mutableData:!0,forwardHostProp:function(e,t){this.__instance&&(this.if?this.__instance.forwardHostProp(e,t):(this.__invalidProps=this.__invalidProps||Object.create(null),this.__invalidProps[Object(ne.g)(e)]=!0))}})}if(this.__instance){this.__syncHostProperties();var i=this.__instance.children;if(i&&i.length)if(this.previousSibling!==i[i.length-1])for(var o,a=0;a=i.index+i.removed.length?n.set(t,e+i.addedCount-i.removed.length):n.set(t,-1))}));for(var o=0;o=0&&e.linkPaths("items."+n,"selected."+t++)}))}else this.__selectedMap.forEach((function(t){e.linkPaths("selected","items."+t),e.linkPaths("selectedItem","items."+t)}))}},{key:"clearSelection",value:function(){this.__dataLinkedPaths={},this.__selectedMap=new Map,this.selected=this.multi?[]:null,this.selectedItem=null}},{key:"isSelected",value:function(e){return this.__selectedMap.has(e)}},{key:"isIndexSelected",value:function(e){return this.isSelected(this.items[e])}},{key:"__deselectChangedIdx",value:function(e){var t=this,n=this.__selectedIndexForItemIndex(e);if(n>=0){var r=0;this.__selectedMap.forEach((function(e,i){n==r++&&t.deselect(i)}))}}},{key:"__selectedIndexForItemIndex",value:function(e){var t=this.__dataLinkedPaths["items."+e];if(t)return parseInt(t.slice("selected.".length),10)}},{key:"deselect",value:function(e){var t,n=this.__selectedMap.get(e);n>=0&&(this.__selectedMap.delete(e),this.multi&&(t=this.__selectedIndexForItemIndex(n)),this.__updateLinks(),this.multi?this.splice("selected",t,1):this.selected=this.selectedItem=null)}},{key:"deselectIndex",value:function(e){this.deselect(this.items[e])}},{key:"select",value:function(e){this.selectIndex(this.items.indexOf(e))}},{key:"selectIndex",value:function(e){var t=this.items[e];this.isSelected(t)?this.toggle&&this.deselectIndex(e):(this.multi||this.__selectedMap.clear(),this.__selectedMap.set(t,e),this.__updateLinks(),this.multi?this.push("selected",t):this.selected=this.selectedItem=t)}}]),n}(Object(Oe.a)(e))}))(Q.a));customElements.define(De.is,De);n(117);v._mutablePropertyChange;Boolean,n(5);n.d(t,"a",(function(){return ze}));var ze=Object(r.a)(HTMLElement).prototype},function(e,t,n){"use strict";var r=n(78);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function a(e,t){for(var n=0;n=0;i--){var o=t[i];o?Array.isArray(o)?e(o,n):n.indexOf(o)<0&&(!r||r.indexOf(o)<0)&&n.unshift(o):console.warn("behavior is null, check for missing or 404 import")}return n}(e,null,n),t),n&&(e=n.concat(e)),t.prototype.behaviors=e,t}function h(e,t){var n=function(t){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&c(e,t)}(h,t);var n,r,i,f,p=(n=h,function(){var e,t=d(n);if(u()){var r=d(this).constructor;e=Reflect.construct(t,arguments,r)}else e=t.apply(this,arguments);return l(this,e)});function h(){return o(this,h),p.apply(this,arguments)}return r=h,f=[{key:"properties",get:function(){return e.properties}},{key:"observers",get:function(){return e.observers}}],(i=[{key:"created",value:function(){s(d(h.prototype),"created",this).call(this),e.created&&e.created.call(this)}},{key:"_registered",value:function(){s(d(h.prototype),"_registered",this).call(this),e.beforeRegister&&e.beforeRegister.call(Object.getPrototypeOf(this)),e.registered&&e.registered.call(Object.getPrototypeOf(this))}},{key:"_applyListeners",value:function(){if(s(d(h.prototype),"_applyListeners",this).call(this),e.listeners)for(var t in e.listeners)this._addMethodEventListenerToNode(this,t,e.listeners[t])}},{key:"_ensureAttributes",value:function(){if(e.hostAttributes)for(var t in e.hostAttributes)this._ensureAttribute(t,e.hostAttributes[t]);s(d(h.prototype),"_ensureAttributes",this).call(this)}},{key:"ready",value:function(){s(d(h.prototype),"ready",this).call(this),e.ready&&e.ready.call(this)}},{key:"attached",value:function(){s(d(h.prototype),"attached",this).call(this),e.attached&&e.attached.call(this)}},{key:"detached",value:function(){s(d(h.prototype),"detached",this).call(this),e.detached&&e.detached.call(this)}},{key:"attributeChanged",value:function(t,n,r){s(d(h.prototype),"attributeChanged",this).call(this,t,n,r),e.attributeChanged&&e.attributeChanged.call(this,t,n,r)}}])&&a(r.prototype,i),f&&a(r,f),h}(t);for(var r in n.generatedFrom=e,e)if(!(r in f)){var i=Object.getOwnPropertyDescriptor(e,r);i&&Object.defineProperty(n.prototype,r,i)}return n}n(16);n.d(t,"a",(function(){return m}));var m=function e(t){var n;return n="function"==typeof t?t:e.Class(t),customElements.define(n.is,n),n};m.Class=function(e,t){e||console.warn("Polymer's Class function requires `info` argument");var n=e.behaviors?p(e.behaviors,HTMLElement):Object(r.a)(HTMLElement),i=h(e,t?t(n):n);return i.is=e.is,i}},function(e,t,n){"use strict";n.d(t,"a",(function(){return s}));n(16);function r(e,t){for(var n=0;n1?n-1:0),i=1;i=0}function i(e){var t=e.indexOf(".");return-1===t?e:e.slice(0,t)}function o(e,t){return 0===e.indexOf(t+".")}function a(e,t){return 0===t.indexOf(e+".")}function s(e,t,n){return t+n.slice(e.length)}function c(e,t){return e===t||o(e,t)||a(e,t)}function l(e){if(Array.isArray(e)){for(var t=[],n=0;n1){for(var a=0;a1?t-1:0),r=1;r1?t-1:0),r=1;r=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,a=!0,s=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return a=e.done,e},e:function(e){s=!0,i=e},f:function(){try{a||null==r.return||r.return()}finally{if(s)throw i}}}}function o(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n1)throw new Error("The `classMap` directive must be used in the `class` attribute and must be the only part in the attribute.");var n=t.committer,i=n.element,o=c.get(t);void 0===o&&(i.setAttribute("class",n.strings.join(" ")),c.set(t,o=new Set));var a=i.classList||new s(i);for(var l in o.forEach((function(t){t in e||(a.remove(t),o.delete(t))})),e){var u=e[l];u!=o.has(l)&&(u?(a.add(l),o.add(l)):(a.remove(l),o.delete(l)))}"function"==typeof a.commit&&a.commit()}}))},function(e,t,n){"use strict";n.d(t,"a",(function(){return o}));n(16);var r=0;function i(){}i.prototype.__mixinApplications,i.prototype.__mixinSet;var o=function(e){var t=e.__mixinApplications;t||(t=new WeakMap,e.__mixinApplications=t);var n=r++;function i(r){var i=r.__mixinSet;if(i&&i[n])return r;var o=t,a=o.get(r);a||(a=e(r),o.set(r,a));var s=Object.create(a.__mixinSet||i||null);return s[n]=!0,a.__mixinSet=s,a}return i}},function(e,t,n){"use strict";n.d(t,"f",(function(){return r})),n.d(t,"g",(function(){return i})),n.d(t,"b",(function(){return a})),n.d(t,"a",(function(){return s})),n.d(t,"d",(function(){return l})),n.d(t,"c",(function(){return u})),n.d(t,"e",(function(){return d}));var r="{{lit-".concat(String(Math.random()).slice(2),"}}"),i="\x3c!--".concat(r,"--\x3e"),o=new RegExp("".concat(r,"|").concat(i)),a="$lit$",s=function e(t,n){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,e),this.parts=[],this.element=n;for(var i=[],s=[],l=document.createTreeWalker(n.content,133,null,!1),f=0,p=-1,h=0,m=t.strings,y=t.values.length;h0;){var k=m[h],O=d.exec(k)[2],x=O.toLowerCase()+a,E=v.getAttribute(x);v.removeAttribute(x);var S=E.split(o);this.parts.push({type:"attribute",index:p,name:O,strings:S}),h+=S.length-1}}"TEMPLATE"===v.tagName&&(s.push(v),l.currentNode=v.content)}else if(3===v.nodeType){var j=v.data;if(j.indexOf(r)>=0){for(var C=v.parentNode,A=j.split(o),P=A.length-1,T=0;T=0&&e.slice(n)===t},l=function(e){return-1!==e.index},u=function(){return document.createComment("")},d=/([ \x09\x0a\x0c\x0d])([^\0-\x1F\x7F-\x9F "'>=/]+)([ \x09\x0a\x0c\x0d]*=[ \x09\x0a\x0c\x0d]*(?:[^ \x09\x0a\x0c\x0d"'`<>=]*|"[^"]*|'[^']*))$/},function(e,t,n){"use strict";window.JSCompiler_renameProperty=function(e,t){return e}},function(e,t,n){"use strict";n.d(t,"a",(function(){return r}));var r=function(){function e(e){void 0===e&&(e={}),this.adapter=e}return Object.defineProperty(e,"cssClasses",{get:function(){return{}},enumerable:!0,configurable:!0}),Object.defineProperty(e,"strings",{get:function(){return{}},enumerable:!0,configurable:!0}),Object.defineProperty(e,"numbers",{get:function(){return{}},enumerable:!0,configurable:!0}),Object.defineProperty(e,"defaultAdapter",{get:function(){return{}},enumerable:!0,configurable:!0}),e.prototype.init=function(){},e.prototype.destroy=function(){},e}()},function(e,t,n){"use strict";n.d(t,"a",(function(){return a})),n.d(t,"b",(function(){return s})),n.d(t,"c",(function(){return c}));var r=n(10),i=function(){return n.e(2).then(n.bind(null,162))},o=function(e,t,n){return new Promise((function(o){var a=t.cancel,s=t.confirm;Object(r.a)(e,"show-dialog",{dialogTag:"dialog-box",dialogImport:i,dialogParams:Object.assign({},t,{},n,{cancel:function(){o(!!(null==n?void 0:n.prompt)&&null),a&&a()},confirm:function(e){o(!(null==n?void 0:n.prompt)||e),s&&s(e)}})})}))},a=function(e,t){return o(e,t)},s=function(e,t){return o(e,t,{confirmation:!0})},c=function(e,t){return o(e,t,{prompt:!0})}},function(e,t,n){"use strict";n.d(t,"f",(function(){return i})),n.d(t,"c",(function(){return o})),n.d(t,"d",(function(){return a})),n.d(t,"b",(function(){return s})),n.d(t,"e",(function(){return c})),n.d(t,"a",(function(){return l}));n(16);var r=n(31),i=!window.ShadyDOM,o=(Boolean(!window.ShadyCSS||window.ShadyCSS.nativeCss),window.customElements.polyfillWrapFlushCallback,Object(r.a)(document.baseURI||window.location.href)),a=window.Polymer&&window.Polymer.sanitizeDOMValue||void 0,s=!1,c=!1,l=!1},function(e,t,n){"use strict";n.d(t,"b",(function(){return c})),n.d(t,"a",(function(){return l}));n(16);var r=0,i=0,o=[],a=0,s=document.createTextNode("");new window.MutationObserver((function(){for(var e=o.length,t=0;t=0){if(!o[t])throw new Error("invalid async handle: "+e);o[t]=null}}}},function(e,t,n){"use strict";n.d(t,"d",(function(){return o})),n.d(t,"a",(function(){return i})),n.d(t,"b",(function(){return s})),n.d(t,"c",(function(){return c}));var r,i,o=!(window.ShadyDOM&&window.ShadyDOM.inUse);function a(e){r=(!e||!e.shimcssproperties)&&(o||Boolean(!navigator.userAgent.match(/AppleWebKit\/601|Edge\/15/)&&window.CSS&&CSS.supports&&CSS.supports("box-shadow","0 0 0 var(--foo)")))}window.ShadyCSS&&void 0!==window.ShadyCSS.cssBuild&&(i=window.ShadyCSS.cssBuild);var s=Boolean(window.ShadyCSS&&window.ShadyCSS.disableRuntime);window.ShadyCSS&&void 0!==window.ShadyCSS.nativeCss?r=window.ShadyCSS.nativeCss:window.ShadyCSS?(a(window.ShadyCSS),window.ShadyCSS=void 0):a(window.WebComponents&&window.WebComponents.flags);var c=r},function(e,t,n){"use strict";var r=n(71),i=["kind","resolve","construct","instanceOf","predicate","represent","defaultStyle","styleAliases"],o=["scalar","sequence","mapping"];e.exports=function(e,t){var n,a;if(t=t||{},Object.keys(t).forEach((function(t){if(-1===i.indexOf(t))throw new r('Unknown option "'+t+'" is met in definition of "'+e+'" YAML type.')})),this.tag=e,this.kind=t.kind||null,this.resolve=t.resolve||function(){return!0},this.construct=t.construct||function(e){return e},this.instanceOf=t.instanceOf||null,this.predicate=t.predicate||null,this.represent=t.represent||null,this.defaultStyle=t.defaultStyle||null,this.styleAliases=(n=t.styleAliases||null,a={},null!==n&&Object.keys(n).forEach((function(e){n[e].forEach((function(t){a[String(t)]=e}))})),a),-1===o.indexOf(this.kind))throw new r('Unknown kind "'+this.kind+'" is specified for "'+e+'" YAML type.')}},function(e,t,n){"use strict";n.d(t,"a",(function(){return x})),n.d(t,"b",(function(){return E})),n.d(t,"e",(function(){return S})),n.d(t,"c",(function(){return j})),n.d(t,"f",(function(){return C})),n.d(t,"g",(function(){return A})),n.d(t,"d",(function(){return T}));var r=n(49),i=n(30),o=n(26),a=n(45),s=n(55),c=n(15);function l(e,t,n){return(l="undefined"!=typeof Reflect&&Reflect.get?Reflect.get:function(e,t,n){var r=function(e,t){for(;!Object.prototype.hasOwnProperty.call(e,t)&&null!==(e=m(e)););return e}(e,t);if(r){var i=Object.getOwnPropertyDescriptor(r,t);return i.get?i.get.call(n):i.value}})(e,t,n||e)}function u(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&d(e,t)}function d(e,t){return(d=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function f(e){return function(){var t,n=m(e);if(h()){var r=m(this).constructor;t=Reflect.construct(n,arguments,r)}else t=n.apply(this,arguments);return p(this,t)}}function p(e,t){return!t||"object"!==w(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function h(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function m(e){return(m=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function y(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(!e)return;if("string"==typeof e)return v(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return v(e,t)}(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function v(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n0&&void 0!==arguments[0]?arguments[0]:this.startNode;Object(i.b)(this.startNode.parentNode,e.nextSibling,this.endNode)}}]),e}(),j=function(){function e(t,n,r){if(b(this,e),this.value=void 0,this.__pendingValue=void 0,2!==r.length||""!==r[0]||""!==r[1])throw new Error("Boolean attributes can only contain a single expression");this.element=t,this.name=n,this.strings=r}return _(e,[{key:"setValue",value:function(e){this.__pendingValue=e}},{key:"commit",value:function(){for(;Object(r.b)(this.__pendingValue);){var e=this.__pendingValue;this.__pendingValue=o.a,e(this)}if(this.__pendingValue!==o.a){var t=!!this.__pendingValue;this.value!==t&&(t?this.element.setAttribute(this.name,""):this.element.removeAttribute(this.name),this.value=t),this.__pendingValue=o.a}}}]),e}(),C=function(e){u(n,e);var t=f(n);function n(e,r,i){var o;return b(this,n),(o=t.call(this,e,r,i)).single=2===i.length&&""===i[0]&&""===i[1],o}return _(n,[{key:"_createPart",value:function(){return new A(this)}},{key:"_getValue",value:function(){return this.single?this.parts[0].value:l(m(n.prototype),"_getValue",this).call(this)}},{key:"commit",value:function(){this.dirty&&(this.dirty=!1,this.element[this.name]=this._getValue())}}]),n}(x),A=function(e){u(n,e);var t=f(n);function n(){return b(this,n),t.apply(this,arguments)}return n}(E),P=!1;!function(){try{var e={get capture(){return P=!0,!1}};window.addEventListener("test",e,e),window.removeEventListener("test",e,e)}catch(t){}}();var T=function(){function e(t,n,r){var i=this;b(this,e),this.value=void 0,this.__pendingValue=void 0,this.element=t,this.eventName=n,this.eventContext=r,this.__boundHandleEvent=function(e){return i.handleEvent(e)}}return _(e,[{key:"setValue",value:function(e){this.__pendingValue=e}},{key:"commit",value:function(){for(;Object(r.b)(this.__pendingValue);){var e=this.__pendingValue;this.__pendingValue=o.a,e(this)}if(this.__pendingValue!==o.a){var t=this.__pendingValue,n=this.value,i=null==t||null!=n&&(t.capture!==n.capture||t.once!==n.once||t.passive!==n.passive),a=null!=t&&(null==n||i);i&&this.element.removeEventListener(this.eventName,this.__boundHandleEvent,this.__options),a&&(this.__options=R(t),this.element.addEventListener(this.eventName,this.__boundHandleEvent,this.__options)),this.value=t,this.__pendingValue=o.a}}},{key:"handleEvent",value:function(e){"function"==typeof this.value?this.value.call(this.eventContext||this.element,e):this.value.handleEvent(e)}}]),e}(),R=function(e){return e&&(P?{capture:e.capture,passive:e.passive,once:e.once}:e.capture)}},function(e,t,n){"use strict";n.d(t,"a",(function(){return r}));var r=function(e){return e.data}},function(e,t,n){"use strict";n.d(t,"a",(function(){return m}));n(3);var r={"U+0008":"backspace","U+0009":"tab","U+001B":"esc","U+0020":"space","U+007F":"del"},i={8:"backspace",9:"tab",13:"enter",27:"esc",33:"pageup",34:"pagedown",35:"end",36:"home",32:"space",37:"left",38:"up",39:"right",40:"down",46:"del",106:"*"},o={shift:"shiftKey",ctrl:"ctrlKey",alt:"altKey",meta:"metaKey"},a=/[a-z0-9*]/,s=/U\+/,c=/^arrow/,l=/^space(bar)?/,u=/^escape$/;function d(e,t){var n="";if(e){var r=e.toLowerCase();" "===r||l.test(r)?n="space":u.test(r)?n="esc":1==r.length?t&&!a.test(r)||(n=r):n=c.test(r)?r.replace("arrow",""):"multiply"==r?"*":r}return n}function f(e,t){return e.key?d(e.key,t):e.detail&&e.detail.key?d(e.detail.key,t):(n=e.keyIdentifier,o="",n&&(n in r?o=r[n]:s.test(n)?(n=parseInt(n.replace("U+","0x"),16),o=String.fromCharCode(n).toLowerCase()):o=n.toLowerCase()),o||function(e){var t="";return Number(e)&&(t=e>=65&&e<=90?String.fromCharCode(32+e):e>=112&&e<=123?"f"+(e-112+1):e>=48&&e<=57?String(e-48):e>=96&&e<=105?String(e-96):i[e]),t}(e.keyCode)||"");var n,o}function p(e,t){return f(t,e.hasModifiers)===e.key&&(!e.hasModifiers||!!t.shiftKey==!!e.shiftKey&&!!t.ctrlKey==!!e.ctrlKey&&!!t.altKey==!!e.altKey&&!!t.metaKey==!!e.metaKey)}function h(e){return e.trim().split(" ").map((function(e){return function(e){return 1===e.length?{combo:e,key:e,event:"keydown"}:e.split("+").reduce((function(e,t){var n=t.split(":"),r=n[0],i=n[1];return r in o?(e[o[r]]=!0,e.hasModifiers=!0):(e.key=r,e.event=i||"keydown"),e}),{combo:e.split(":").shift()})}(e)}))}var m={properties:{keyEventTarget:{type:Object,value:function(){return this}},stopKeyboardEventPropagation:{type:Boolean,value:!1},_boundKeyHandlers:{type:Array,value:function(){return[]}},_imperativeKeyBindings:{type:Object,value:function(){return{}}}},observers:["_resetKeyEventListeners(keyEventTarget, _boundKeyHandlers)"],keyBindings:{},registered:function(){this._prepKeyBindings()},attached:function(){this._listenKeyEventListeners()},detached:function(){this._unlistenKeyEventListeners()},addOwnKeyBinding:function(e,t){this._imperativeKeyBindings[e]=t,this._prepKeyBindings(),this._resetKeyEventListeners()},removeOwnKeyBindings:function(){this._imperativeKeyBindings={},this._prepKeyBindings(),this._resetKeyEventListeners()},keyboardEventMatchesKeys:function(e,t){for(var n=h(t),r=0;r2&&void 0!==arguments[2]?arguments[2]:null,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;t!==n;){var i=t.nextSibling;e.insertBefore(t,r),t=i}},o=function(e,t){for(var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;t!==n;){var r=t.nextSibling;e.removeChild(t),t=r}}},function(e,t,n){"use strict";n.d(t,"c",(function(){return s})),n.d(t,"b",(function(){return c})),n.d(t,"a",(function(){return l}));n(16);var r,i,o=/(url\()([^)]*)(\))/g,a=/(^\/)|(^#)|(^[\w-\d]*:)/;function s(e,t){if(e&&a.test(e))return e;if(void 0===r){r=!1;try{var n=new URL("b","http://a");n.pathname="c%20d",r="http://a/c%20d"===n.href}catch(o){}}return t||(t=document.baseURI||window.location.href),r?new URL(e,t).href:(i||((i=document.implementation.createHTMLDocument("temp")).base=i.createElement("base"),i.head.appendChild(i.base),i.anchor=i.createElement("a"),i.body.appendChild(i.anchor)),i.base.href=t,i.anchor.href=e,i.anchor.href||e)}function c(e,t){return e.replace(o,(function(e,n,r,i){return n+"'"+s(r.replace(/["']/g,""),t)+"'"+i}))}function l(e){return e.substring(0,e.lastIndexOf("/")+1)}},function(e,t,n){"use strict";n.d(t,"e",(function(){return a})),n.d(t,"d",(function(){return s})),n.d(t,"a",(function(){return c})),n.d(t,"b",(function(){return d})),n.d(t,"c",(function(){return f}));var r=n(50);function i(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(!e)return;if("string"==typeof e)return o(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return o(e,t)}(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,a=!0,s=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return a=e.done,e},e:function(e){s=!0,i=e},f:function(){try{a||null==r.return||r.return()}finally{if(s)throw i}}}}function o(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n0&&void 0!==arguments[0]?arguments[0]:window.document,t=e.activeElement,n=[];if(!t)return n;for(;t&&(n.push(t),t.shadowRoot);)t=t.shadowRoot.activeElement;return n},f=function(e){var t=d();if(!t.length)return!1;var n=t[t.length-1],r=new Event("check-if-focused",{bubbles:!0,composed:!0}),i=[],o=function(e){i=e.composedPath()};return document.body.addEventListener("check-if-focused",o),n.dispatchEvent(r),document.body.removeEventListener("check-if-focused",o),-1!==i.indexOf(e)}},function(e,t,n){"use strict";var r=n(0);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(){var e=c(["\n :host {\n display: var(--ha-icon-display, inline-flex);\n align-items: center;\n justify-content: center;\n position: relative;\n vertical-align: middle;\n fill: currentcolor;\n width: var(--mdc-icon-size, 24px);\n height: var(--mdc-icon-size, 24px);\n }\n svg {\n width: 100%;\n height: 100%;\n pointer-events: none;\n display: block;\n }\n "]);return o=function(){return e},e}function a(){var e=c([""]);return a=function(){return e},e}function s(){var e=c(["\n \n \n ',"\n \n "]);return s=function(){return e},e}function c(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function l(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function u(e,t){return(u=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function d(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?f(e):t}function f(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function p(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function h(e){return(h=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function m(e){var t,n=_(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function y(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function v(e){return e.decorators&&e.decorators.length}function b(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function g(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function _(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function w(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a2&&void 0!==arguments[2]&&arguments[2];n?history.replaceState(null,"",t):history.pushState(null,"",t),Object(r.a)(window,"location-changed",{replace:n})}},function(e,t,n){"use strict";n.d(t,"c",(function(){return r})),n.d(t,"b",(function(){return i})),n.d(t,"a",(function(){return o}));var r=/(?:^|[;\s{]\s*)(--[\w-]*?)\s*:\s*(?:((?:'(?:\\'|.)*?'|"(?:\\"|.)*?"|\([^)]*?\)|[^};{])+)|\{([^}]*)\}(?:(?=[;\s}])|$))/gi,i=/(?:^|\W+)@apply\s*\(?([^);\n]*)\)?/gi,o=/@media\s(.*)/},function(e,t,n){"use strict";var r=n(1),i=n(0);function o(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}([':host{font-family:var(--mdc-icon-font, "Material Icons");font-weight:normal;font-style:normal;font-size:var(--mdc-icon-size, 24px);line-height:1;letter-spacing:normal;text-transform:none;display:inline-block;white-space:nowrap;word-wrap:normal;direction:ltr;-webkit-font-smoothing:antialiased;text-rendering:optimizeLegibility;-moz-osx-font-smoothing:grayscale;font-feature-settings:"liga"}']);return o=function(){return e},e}var a=Object(i.c)(o());function s(e){return(s="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function c(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}([""]);return c=function(){return e},e}function l(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function u(e,t){for(var n=0;n\n ',"\n "]);return g=function(){return e},e}function _(){var e=O(['\n \n ','\n \n \n ','\n \n \n ','\n \n \n \n ',"\n \n \n "]);return _=function(){return e},e}function w(){var e=O(['']);return w=function(){return e},e}function k(){var e=O(["",""]);return k=function(){return e},e}function O(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function x(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function E(e,t){for(var n=0;n=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function s(e,t){if(e){if("string"==typeof e)return c(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?c(e,t):void 0}}function c(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n-1}var p=!1;function h(e){if(!f(e)&&"touchend"!==e)return a&&p&&o.b?{passive:!0}:void 0}!function(){try{var e=Object.defineProperty({},"passive",{get:function(){p=!0}});window.addEventListener("test",null,e),window.removeEventListener("test",null,e)}catch(t){}}();var m=navigator.userAgent.match(/iP(?:[oa]d|hone)|Android/),y=[],v={button:!0,input:!0,keygen:!0,meter:!0,output:!0,textarea:!0,progress:!0,select:!0},b={button:!0,command:!0,fieldset:!0,input:!0,keygen:!0,optgroup:!0,option:!0,select:!0,textarea:!0};function g(e){var t=Array.prototype.slice.call(e.labels||[]);if(!t.length){t=[];var n=e.getRootNode();if(e.id)for(var r=n.querySelectorAll("label[for = ".concat(e.id,"]")),i=0;i-1;if(i[o]===O.mouse.target)return}if(r)return;e.preventDefault(),e.stopPropagation()}};function w(e){for(var t,n=m?["click"]:l,r=0;r0?t[0]:e.target}return e.target}function A(e){var t,n=e.type,r=e.currentTarget.__polymerGestures;if(r){var i=r[n];if(i){if(!e[s]&&(e[s]={},"touch"===n.slice(0,5))){var o=(e=e).changedTouches[0];if("touchstart"===n&&1===e.touches.length&&(O.touch.id=o.identifier),O.touch.id!==o.identifier)return;a||"touchstart"!==n&&"touchmove"!==n||function(e){var t=e.changedTouches[0],n=e.type;if("touchstart"===n)O.touch.x=t.clientX,O.touch.y=t.clientY,O.touch.scrollDecided=!1;else if("touchmove"===n){if(O.touch.scrollDecided)return;O.touch.scrollDecided=!0;var r=function(e){var t="auto",n=e.composedPath&&e.composedPath();if(n)for(var r,i=0;io:"pan-y"===r&&(i=o>a)),i?e.preventDefault():z("track")}}(e)}if(!(t=e[s]).skip){for(var l,u=0;u-1&&l.reset&&l.reset();for(var d,f=0;f=5||i>=5}function N(e,t,n){if(t){var r,i=e.moves[e.moves.length-2],o=e.moves[e.moves.length-1],a=o.x-e.x,s=o.y-e.y,c=0;i&&(r=o.x-i.x,c=o.y-i.y),D(t,"track",{state:e.state,x:n.clientX,y:n.clientY,dx:a,dy:s,ddx:r,ddy:c,sourceEvent:n,hover:function(){return function(e,t){for(var n=document.elementFromPoint(e,t),r=n;r&&r.shadowRoot&&!window.ShadyDOM;){if(r===(r=r.shadowRoot.elementFromPoint(e,t)))break;r&&(n=r)}return n}(n.clientX,n.clientY)}})}}function M(e,t,n){var r=Math.abs(t.clientX-e.x),i=Math.abs(t.clientY-e.y),o=C(n||t);!o||b[o.localName]&&o.hasAttribute("disabled")||(isNaN(r)||isNaN(i)||r<=25&&i<=25||function(e){if("click"===e.type){if(0===e.detail)return!0;var t=C(e);if(!t.nodeType||t.nodeType!==Node.ELEMENT_NODE)return!0;var n=t.getBoundingClientRect(),r=e.pageX,i=e.pageY;return!(r>=n.left&&r<=n.right&&i>=n.top&&i<=n.bottom)}return!1}(t))&&(e.prevent||D(o,"tap",{x:t.clientX,y:t.clientY,sourceEvent:t,preventer:n}))}R({name:"downup",deps:["mousedown","touchstart","touchend"],flow:{start:["mousedown","touchstart"],end:["mouseup","touchend"]},emits:["down","up"],info:{movefn:null,upfn:null},reset:function(){E(this.info)},mousedown:function(e){if(k(e)){var t=C(e),n=this;x(this.info,(function(e){k(e)||(F("up",t,e),E(n.info))}),(function(e){k(e)&&F("up",t,e),E(n.info)})),F("down",t,e)}},touchstart:function(e){F("down",C(e),e.changedTouches[0],e)},touchend:function(e){F("up",C(e),e.changedTouches[0],e)}}),R({name:"track",touchAction:"none",deps:["mousedown","touchstart","touchmove","touchend"],flow:{start:["mousedown","touchstart"],end:["mouseup","touchend"]},emits:["track"],info:{x:0,y:0,state:"start",started:!1,moves:[],addMove:function(e){this.moves.length>2&&this.moves.shift(),this.moves.push(e)},movefn:null,upfn:null,prevent:!1},reset:function(){this.info.state="start",this.info.started=!1,this.info.moves=[],this.info.x=0,this.info.y=0,this.info.prevent=!1,E(this.info)},mousedown:function(e){if(k(e)){var t=C(e),n=this,r=function(e){var r=e.clientX,i=e.clientY;L(n.info,r,i)&&(n.info.state=n.info.started?"mouseup"===e.type?"end":"track":"start","start"===n.info.state&&z("tap"),n.info.addMove({x:r,y:i}),k(e)||(n.info.state="end",E(n.info)),t&&N(n.info,t,e),n.info.started=!0)};x(this.info,r,(function(e){n.info.started&&r(e),E(n.info)})),this.info.x=e.clientX,this.info.y=e.clientY}},touchstart:function(e){var t=e.changedTouches[0];this.info.x=t.clientX,this.info.y=t.clientY},touchmove:function(e){var t=C(e),n=e.changedTouches[0],r=n.clientX,i=n.clientY;L(this.info,r,i)&&("start"===this.info.state&&z("tap"),this.info.addMove({x:r,y:i}),N(this.info,t,n),this.info.state="track",this.info.started=!0)},touchend:function(e){var t=C(e),n=e.changedTouches[0];this.info.started&&(this.info.state="end",this.info.addMove({x:n.clientX,y:n.clientY}),N(this.info,t,n))}}),R({name:"tap",deps:["mousedown","click","touchstart","touchend"],flow:{start:["mousedown","touchstart"],end:["click","touchend"]},emits:["tap"],info:{x:NaN,y:NaN,prevent:!1},reset:function(){this.info.x=NaN,this.info.y=NaN,this.info.prevent=!1},mousedown:function(e){k(e)&&(this.info.x=e.clientX,this.info.y=e.clientY)},click:function(e){k(e)&&M(this.info,e)},touchstart:function(e){var t=e.changedTouches[0];this.info.x=t.clientX,this.info.y=t.clientY},touchend:function(e){M(this.info,e.changedTouches[0],e)}});var B=C,H=P},function(e,t,n){"use strict";n.d(t,"c",(function(){return i})),n.d(t,"b",(function(){return o})),n.d(t,"a",(function(){return a}));var r=n(38);function i(e,t){for(var n in t)null===n?e.style.removeProperty(n):e.style.setProperty(n,t[n])}function o(e,t){var n=window.getComputedStyle(e).getPropertyValue(t);return n?n.trim():""}function a(e){var t=r.b.test(e)||r.c.test(e);return r.b.lastIndex=0,r.c.lastIndex=0,t}},function(e,t,n){"use strict";n(3);var r=n(5);function i(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n\n \n\n\n \n']);return i=function(){return e},e}var o=Object(r.a)(i());o.setAttribute("style","display: none;"),document.head.appendChild(o.content);var a=document.createElement("style");a.textContent="[hidden] { display: none !important; }",document.head.appendChild(a)},function(e,t,n){"use strict";var r=n(1),i=n(0),o=(n(66),n(42));function a(e){return(a="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function s(){var e=u(['\n ','\n ',"\n \n "]);return s=function(){return e},e}function c(){var e=u(['\n \n ']);return c=function(){return e},e}function l(){var e=u(["",""]);return l=function(){return e},e}function u(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function d(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function f(e,t){for(var n=0;ni{position:absolute;top:0;padding-top:inherit}.mdc-icon-button i,.mdc-icon-button svg,.mdc-icon-button img,.mdc-icon-button ::slotted(*){display:block;width:var(--mdc-icon-size, 24px);height:var(--mdc-icon-size, 24px)}']);return b=function(){return e},e}Object(r.b)([Object(i.h)({type:Boolean,reflect:!0})],v.prototype,"disabled",void 0),Object(r.b)([Object(i.h)({type:String})],v.prototype,"icon",void 0),Object(r.b)([Object(i.h)({type:String})],v.prototype,"label",void 0),Object(r.b)([Object(i.i)("button")],v.prototype,"buttonElement",void 0),Object(r.b)([Object(i.j)("mwc-ripple")],v.prototype,"ripple",void 0),Object(r.b)([Object(i.g)()],v.prototype,"shouldRenderRipple",void 0),Object(r.b)([Object(i.e)({passive:!0})],v.prototype,"handleRippleMouseDown",null),Object(r.b)([Object(i.e)({passive:!0})],v.prototype,"handleRippleTouchStart",null);var g=Object(i.c)(b());function _(e){return(_="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function w(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function k(e,t){return(k=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function O(e,t){return!t||"object"!==_(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function x(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function E(e){return(E=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var S=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&k(e,t)}(r,e);var t,n=(t=r,function(){var e,n=E(t);if(x()){var r=E(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return O(this,e)});function r(){return w(this,r),n.apply(this,arguments)}return r}(v);S.styles=g,S=Object(r.b)([Object(i.d)("mwc-icon-button")],S)},function(e,t,n){"use strict";n.d(t,"b",(function(){return m})),n.d(t,"a",(function(){return y}));var r=n(30),i=n(15);function o(e){return(o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function a(e,t,n){return(a="undefined"!=typeof Reflect&&Reflect.get?Reflect.get:function(e,t,n){var r=function(e,t){for(;!Object.prototype.hasOwnProperty.call(e,t)&&null!==(e=u(e)););return e}(e,t);if(r){var i=Object.getOwnPropertyDescriptor(r,t);return i.get?i.get.call(n):i.value}})(e,t,n||e)}function s(e,t){return(s=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function c(e,t){return!t||"object"!==o(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function l(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function u(e){return(u=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function d(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function f(e,t){for(var n=0;n-1||n)&&-1===o.indexOf("--\x3e",a+1);var s=i.e.exec(o);t+=null===s?o+(n?h:i.g):o.substr(0,s.index)+s[1]+s[2]+i.b+s[3]+i.f}return t+=this.strings[e]}},{key:"getTemplateElement",value:function(){var e=document.createElement("template");return e.innerHTML=this.getHTML(),e}}]),e}(),y=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&s(e,t)}(i,e);var t,n=(t=i,function(){var e,n=u(t);if(l()){var r=u(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return c(this,e)});function i(){return d(this,i),n.apply(this,arguments)}return p(i,[{key:"getHTML",value:function(){return"".concat(a(u(i.prototype),"getHTML",this).call(this),"")}},{key:"getTemplateElement",value:function(){var e=a(u(i.prototype),"getTemplateElement",this).call(this),t=e.content,n=t.firstChild;return t.removeChild(n),Object(r.c)(t,n.firstChild),e}}]),i}(m)},function(e,t,n){"use strict";n.d(t,"b",(function(){return o})),n.d(t,"a",(function(){return a}));n(3),n(28);var r=n(25),i=n(2),o={properties:{pressed:{type:Boolean,readOnly:!0,value:!1,reflectToAttribute:!0,observer:"_pressedChanged"},toggles:{type:Boolean,value:!1,reflectToAttribute:!0},active:{type:Boolean,value:!1,notify:!0,reflectToAttribute:!0},pointerDown:{type:Boolean,readOnly:!0,value:!1},receivedFocusFromKeyboard:{type:Boolean,readOnly:!0},ariaActiveAttribute:{type:String,value:"aria-pressed",observer:"_ariaActiveAttributeChanged"}},listeners:{down:"_downHandler",up:"_upHandler",tap:"_tapHandler"},observers:["_focusChanged(focused)","_activeChanged(active, ariaActiveAttribute)"],keyBindings:{"enter:keydown":"_asyncClick","space:keydown":"_spaceKeyDownHandler","space:keyup":"_spaceKeyUpHandler"},_mouseEventRe:/^mouse/,_tapHandler:function(){this.toggles?this._userActivate(!this.active):this.active=!1},_focusChanged:function(e){this._detectKeyboardFocus(e),e||this._setPressed(!1)},_detectKeyboardFocus:function(e){this._setReceivedFocusFromKeyboard(!this.pointerDown&&e)},_userActivate:function(e){this.active!==e&&(this.active=e,this.fire("change"))},_downHandler:function(e){this._setPointerDown(!0),this._setPressed(!0),this._setReceivedFocusFromKeyboard(!1)},_upHandler:function(){this._setPointerDown(!1),this._setPressed(!1)},_spaceKeyDownHandler:function(e){var t=e.detail.keyboardEvent,n=Object(i.a)(t).localTarget;this.isLightDescendant(n)||(t.preventDefault(),t.stopImmediatePropagation(),this._setPressed(!0))},_spaceKeyUpHandler:function(e){var t=e.detail.keyboardEvent,n=Object(i.a)(t).localTarget;this.isLightDescendant(n)||(this.pressed&&this._asyncClick(),this._setPressed(!1))},_asyncClick:function(){this.async((function(){this.click()}),1)},_pressedChanged:function(e){this._changedButtonState()},_ariaActiveAttributeChanged:function(e,t){t&&t!=e&&this.hasAttribute(t)&&this.removeAttribute(t)},_activeChanged:function(e,t){this.toggles?this.setAttribute(this.ariaActiveAttribute,e?"true":"false"):this.removeAttribute(this.ariaActiveAttribute),this._changedButtonState()},_controlStateChanged:function(){this.disabled?this._setPressed(!1):this._changedButtonState()},_changedButtonState:function(){this._buttonStateChanged&&this._buttonStateChanged()}},a=[r.a,o]},function(e,t,n){"use strict";n(3);var r=n(2),i=n(35);function o(e,t){for(var n=0;n=0}},{key:"setItemSelected",value:function(e,t){if(null!=e&&t!==this.isSelected(e)){if(t)this.selection.push(e);else{var n=this.selection.indexOf(e);n>=0&&this.selection.splice(n,1)}this.selectCallback&&this.selectCallback(e,t)}}},{key:"select",value:function(e){this.multi?this.toggle(e):this.get()!==e&&(this.setItemSelected(this.get(),!1),this.setItemSelected(e,!0))}},{key:"toggle",value:function(e){this.setItemSelected(e,!this.isSelected(e))}}])&&o(t.prototype,n),r&&o(t,r),e}();n.d(t,"a",(function(){return s}));var s={properties:{attrForSelected:{type:String,value:null},selected:{type:String,notify:!0},selectedItem:{type:Object,readOnly:!0,notify:!0},activateEvent:{type:String,value:"tap",observer:"_activateEventChanged"},selectable:String,selectedClass:{type:String,value:"iron-selected"},selectedAttribute:{type:String,value:null},fallbackSelection:{type:String,value:null},items:{type:Array,readOnly:!0,notify:!0,value:function(){return[]}},_excludedLocalNames:{type:Object,value:function(){return{template:1,"dom-bind":1,"dom-if":1,"dom-repeat":1}}}},observers:["_updateAttrForSelected(attrForSelected)","_updateSelected(selected)","_checkFallback(fallbackSelection)"],created:function(){this._bindFilterItem=this._filterItem.bind(this),this._selection=new a(this._applySelection.bind(this))},attached:function(){this._observer=this._observeItems(this),this._addListener(this.activateEvent)},detached:function(){this._observer&&Object(r.a)(this).unobserveNodes(this._observer),this._removeListener(this.activateEvent)},indexOf:function(e){return this.items?this.items.indexOf(e):-1},select:function(e){this.selected=e},selectPrevious:function(){var e=this.items.length,t=e-1;void 0!==this.selected&&(t=(Number(this._valueToIndex(this.selected))-1+e)%e),this.selected=this._indexToValue(t)},selectNext:function(){var e=0;void 0!==this.selected&&(e=(Number(this._valueToIndex(this.selected))+1)%this.items.length),this.selected=this._indexToValue(e)},selectIndex:function(e){this.select(this._indexToValue(e))},forceSynchronousItemUpdate:function(){this._observer&&"function"==typeof this._observer.flush?this._observer.flush():this._updateItems()},get _shouldUpdateSelection(){return null!=this.selected},_checkFallback:function(){this._updateSelected()},_addListener:function(e){this.listen(this,e,"_activateHandler")},_removeListener:function(e){this.unlisten(this,e,"_activateHandler")},_activateEventChanged:function(e,t){this._removeListener(t),this._addListener(e)},_updateItems:function(){var e=Object(r.a)(this).queryDistributedElements(this.selectable||"*");e=Array.prototype.filter.call(e,this._bindFilterItem),this._setItems(e)},_updateAttrForSelected:function(){this.selectedItem&&(this.selected=this._valueForItem(this.selectedItem))},_updateSelected:function(){this._selectSelected(this.selected)},_selectSelected:function(e){if(this.items){var t=this._valueToItem(this.selected);t?this._selection.select(t):this._selection.clear(),this.fallbackSelection&&this.items.length&&void 0===this._selection.get()&&(this.selected=this.fallbackSelection)}},_filterItem:function(e){return!this._excludedLocalNames[e.localName]},_valueToItem:function(e){return null==e?null:this.items[this._valueToIndex(e)]},_valueToIndex:function(e){if(!this.attrForSelected)return Number(e);for(var t,n=0;t=this.items[n];n++)if(this._valueForItem(t)==e)return n},_indexToValue:function(e){if(!this.attrForSelected)return e;var t=this.items[e];return t?this._valueForItem(t):void 0},_valueForItem:function(e){if(!e)return null;if(!this.attrForSelected){var t=this.indexOf(e);return-1===t?null:t}var n=e[Object(i.b)(this.attrForSelected)];return null!=n?n:e.getAttribute(this.attrForSelected)},_applySelection:function(e,t){this.selectedClass&&this.toggleClass(this.selectedClass,t,e),this.selectedAttribute&&this.toggleAttribute(this.selectedAttribute,t,e),this._selectionChange(),this.fire("iron-"+(t?"select":"deselect"),{item:e})},_selectionChange:function(){this._setSelectedItem(this._selection.get())},_observeItems:function(e){return Object(r.a)(e).observeNodes((function(e){this._updateItems(),this._updateSelected(),this.fire("iron-items-changed",e,{bubbles:!1,cancelable:!1})}))},_activateHandler:function(e){for(var t=e.target,n=this.items;t&&t!=this;){var r=n.indexOf(t);if(r>=0){var i=this._indexToValue(r);return void this._itemActivate(i,t)}t=t.parentNode}},_itemActivate:function(e,t){this.fire("iron-activate",{selected:e,item:t},{cancelable:!0}).defaultPrevented||this.select(e)}}},function(e,t,n){"use strict";var r=n(0);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(){var e=l([""]);return o=function(){return e},e}function a(){var e=l(['
',"
"]);return a=function(){return e},e}function s(){var e=l(["\n ","\n \n "]);return s=function(){return e},e}function c(){var e=l(["\n :host {\n background: var(\n --ha-card-background,\n var(--card-background-color, white)\n );\n border-radius: var(--ha-card-border-radius, 4px);\n box-shadow: var(\n --ha-card-box-shadow,\n 0px 2px 1px -1px rgba(0, 0, 0, 0.2),\n 0px 1px 1px 0px rgba(0, 0, 0, 0.14),\n 0px 1px 3px 0px rgba(0, 0, 0, 0.12)\n );\n color: var(--primary-text-color);\n display: block;\n transition: all 0.3s ease-out;\n position: relative;\n }\n\n :host([outlined]) {\n box-shadow: none;\n border-width: 1px;\n border-style: solid;\n border-color: var(\n --ha-card-border-color,\n var(--divider-color, #e0e0e0)\n );\n }\n\n .card-header,\n :host ::slotted(.card-header) {\n color: var(--ha-card-header-color, --primary-text-color);\n font-family: var(--ha-card-header-font-family, inherit);\n font-size: var(--ha-card-header-font-size, 24px);\n letter-spacing: -0.012em;\n line-height: 32px;\n padding: 24px 16px 16px;\n display: block;\n }\n\n :host ::slotted(.card-content:not(:first-child)),\n slot:not(:first-child)::slotted(.card-content) {\n padding-top: 0px;\n margin-top: -8px;\n }\n\n :host ::slotted(.card-content) {\n padding: 16px;\n }\n\n :host ::slotted(.card-actions) {\n border-top: 1px solid var(--divider-color, #e8e8e8);\n padding: 5px 16px;\n }\n "]);return c=function(){return e},e}function l(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function u(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function d(e,t){return(d=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function f(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?p(e):t}function p(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function h(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function m(e){return(m=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function y(e){var t,n=w(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function v(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function b(e){return e.decorators&&e.decorators.length}function g(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function _(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function w(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function k(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;au.source.length&&"property"==l.kind&&!l.isCompound&&c.__isPropertyEffectsClient&&c.__dataHasAccessor&&c.__dataHasAccessor[l.target]){var d=n[t];t=Object(i.i)(u.source,l.target,t),c._setPendingPropertyOrPath(t,d,!1,!0)&&e._enqueueClient(c)}else{!function(e,t,n,r,i){i=function(e,t,n,r){if(n.isCompound){var i=e.__dataCompoundStorage[n.target];i[r.compoundIndex]=t,t=i.join("")}"attribute"!==n.kind&&("textContent"!==n.target&&("value"!==n.target||"input"!==e.localName&&"textarea"!==e.localName)||(t=null==t?"":t));return t}(t,i,n,r),w.d&&(i=Object(w.d)(i,n.target,n.kind,t));if("attribute"==n.kind)e._valueToNodeAttribute(t,i,n.target);else{var o=n.target;t.__isPropertyEffectsClient&&t.__dataHasAccessor&&t.__dataHasAccessor[o]?t[R.READ_ONLY]&&t[R.READ_ONLY][o]||t._setPendingProperty(o,i)&&e._enqueueClient(t):e._setUnmanagedPropertyToNode(t,o,i)}}(e,c,l,u,o.evaluator._evaluateBinding(e,u,t,n,r,a))}}function q(e,t){if(t.isCompound){for(var n=e.__dataCompoundStorage||(e.__dataCompoundStorage={}),r=t.parts,i=new Array(r.length),o=0;o="0"&&r<="9"&&(r="#"),r){case"'":case'"':n.value=t.slice(1,-1),n.literal=!0;break;case"#":n.value=Number(t),n.literal=!0}return n.literal||(n.rootProperty=Object(i.g)(t),n.structured=Object(i.d)(t),n.structured&&(n.wildcard=".*"==t.slice(-2),n.wildcard&&(n.name=t.slice(0,-2)))),n}function ne(e,t,n,r){var i=n+".splices";e.notifyPath(i,{indexSplices:r}),e.notifyPath(n+".length",t.length),e.__data[i]={indexSplices:null}}function re(e,t,n,r,i,o){ne(e,t,n,[{index:r,addedCount:i,removed:o,object:t,type:"splice"}])}var ie=Object(r.a)((function(e){var t=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&S(e,t)}(r,e);var t,n=(t=r,function(){var e,n=A(t);if(C()){var r=A(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return j(this,e)});function r(){var e;return k(this,r),(e=n.call(this)).__isPropertyEffectsClient=!0,e.__dataCounter=0,e.__dataClientsReady,e.__dataPendingClients,e.__dataToNotify,e.__dataLinkedPaths,e.__dataHasPaths,e.__dataCompoundStorage,e.__dataHost,e.__dataTemp,e.__dataClientsInitialized,e.__data,e.__dataPending,e.__dataOld,e.__computeEffects,e.__reflectEffects,e.__notifyEffects,e.__propagateEffects,e.__observeEffects,e.__readOnly,e.__templateInfo,e}return x(r,[{key:"_initializeProperties",value:function(){E(A(r.prototype),"_initializeProperties",this).call(this),oe.registerHost(this),this.__dataClientsReady=!1,this.__dataPendingClients=null,this.__dataToNotify=null,this.__dataLinkedPaths=null,this.__dataHasPaths=!1,this.__dataCompoundStorage=this.__dataCompoundStorage||null,this.__dataHost=this.__dataHost||null,this.__dataTemp={},this.__dataClientsInitialized=!1}},{key:"_initializeProtoProperties",value:function(e){this.__data=Object.create(e),this.__dataPending=Object.create(e),this.__dataOld={}}},{key:"_initializeInstanceProperties",value:function(e){var t=this[R.READ_ONLY];for(var n in e)t&&t[n]||(this.__dataPending=this.__dataPending||{},this.__dataOld=this.__dataOld||{},this.__data[n]=this.__dataPending[n]=e[n])}},{key:"_addPropertyEffect",value:function(e,t,n){this._createPropertyAccessor(e,t==R.READ_ONLY);var r=D(this,t)[e];r||(r=this[t][e]=[]),r.push(n)}},{key:"_removePropertyEffect",value:function(e,t,n){var r=D(this,t)[e],i=r.indexOf(n);i>=0&&r.splice(i,1)}},{key:"_hasPropertyEffect",value:function(e,t){var n=this[t];return Boolean(n&&n[e])}},{key:"_hasReadOnlyEffect",value:function(e){return this._hasPropertyEffect(e,R.READ_ONLY)}},{key:"_hasNotifyEffect",value:function(e){return this._hasPropertyEffect(e,R.NOTIFY)}},{key:"_hasReflectEffect",value:function(e){return this._hasPropertyEffect(e,R.REFLECT)}},{key:"_hasComputedEffect",value:function(e){return this._hasPropertyEffect(e,R.COMPUTE)}},{key:"_setPendingPropertyOrPath",value:function(e,t,n,o){if(o||Object(i.g)(Array.isArray(e)?e[0]:e)!==e){if(!o){var a=Object(i.a)(this,e);if(!(e=Object(i.h)(this,e,t))||!E(A(r.prototype),"_shouldPropertyChange",this).call(this,e,t,a))return!1}if(this.__dataHasPaths=!0,this._setPendingProperty(e,t,n))return function(e,t,n){var r,o=e.__dataLinkedPaths;if(o)for(var a in o){var s=o[a];Object(i.c)(a,t)?(r=Object(i.i)(a,s,t),e._setPendingPropertyOrPath(r,n,!0,!0)):Object(i.c)(s,t)&&(r=Object(i.i)(s,a,t),e._setPendingPropertyOrPath(r,n,!0,!0))}}(this,e,t),!0}else{if(this.__dataHasAccessor&&this.__dataHasAccessor[e])return this._setPendingProperty(e,t,n);this[e]=t}return!1}},{key:"_setUnmanagedPropertyToNode",value:function(e,t,n){n===e[t]&&"object"!=P(n)||(e[t]=n)}},{key:"_setPendingProperty",value:function(e,t,n){var r=this.__dataHasPaths&&Object(i.d)(e),o=r?this.__dataTemp:this.__data;return!!this._shouldPropertyChange(e,t,o[e])&&(this.__dataPending||(this.__dataPending={},this.__dataOld={}),e in this.__dataOld||(this.__dataOld[e]=this.__data[e]),r?this.__dataTemp[e]=t:this.__data[e]=t,this.__dataPending[e]=t,(r||this[R.NOTIFY]&&this[R.NOTIFY][e])&&(this.__dataToNotify=this.__dataToNotify||{},this.__dataToNotify[e]=n),!0)}},{key:"_setProperty",value:function(e,t){this._setPendingProperty(e,t,!0)&&this._invalidateProperties()}},{key:"_invalidateProperties",value:function(){this.__dataReady&&this._flushProperties()}},{key:"_enqueueClient",value:function(e){this.__dataPendingClients=this.__dataPendingClients||[],e!==this&&this.__dataPendingClients.push(e)}},{key:"_flushProperties",value:function(){this.__dataCounter++,E(A(r.prototype),"_flushProperties",this).call(this),this.__dataCounter--}},{key:"_flushClients",value:function(){this.__dataClientsReady?this.__enableOrFlushClients():(this.__dataClientsReady=!0,this._readyClients(),this.__dataReady=!0)}},{key:"__enableOrFlushClients",value:function(){var e=this.__dataPendingClients;if(e){this.__dataPendingClients=null;for(var t=0;t1?o-1:0),s=1;s3?r-3:0),a=3;a1?r-1:0),a=1;ai&&r.push({literal:e.slice(i,n.index)});var o=n[1][0],a=Boolean(n[2]),s=n[3].trim(),c=!1,l="",u=-1;"{"==o&&(u=s.indexOf("::"))>0&&(l=s.substring(u+2),s=s.substring(0,u),c=!0);var d=ee(s),f=[];if(d){for(var p=d.args,h=d.methodName,m=0;m\n \n"]);return i=function(){return e},e}var o=Object(r.a)(i());o.setAttribute("style","display: none;"),document.head.appendChild(o.content)},function(e,t,n){"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function i(e){return null==e}e.exports.isNothing=i,e.exports.isObject=function(e){return"object"===r(e)&&null!==e},e.exports.toArray=function(e){return Array.isArray(e)?e:i(e)?[]:[e]},e.exports.repeat=function(e,t){var n,r="";for(n=0;n1)throw new Error("The `styleMap` directive must be used in the style attribute and must be the only part in the attribute.");var n=t.committer,r=n.element.style,i=l.get(t);for(var o in void 0===i&&(r.cssText=n.strings.join(" "),l.set(t,i=new Set)),i.forEach((function(t){t in e||(i.delete(t),-1===t.indexOf("-")?r[t]=null:r.removeProperty(t))})),e)i.add(o),-1===o.indexOf("-")?r[o]=e[o]:r.setProperty(o,e[o])}}));function d(e){return(d="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function f(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n
']);return f=function(){return e},e}function p(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function h(e,t){for(var n=0;ne.length)&&(t=e.length);for(var n=0,r=new Array(t);nt||Number(o)===t&&Number(a)>=n}},function(e,t,n){"use strict";n.d(t,"a",(function(){return b}));n(16);var r=n(31),i=n(19);function o(e){return(o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function a(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function s(e,t){for(var n=0;n2&&void 0!==arguments[2]&&arguments[2];return function(){for(var i=arguments.length,o=new Array(i),a=0;ae.length)&&(t=e.length);for(var n=0,r=new Array(t);n2&&void 0!==arguments[2]?arguments[2]:"",i="";if(t.cssText||t.rules){var o=t.rules;if(o&&!a(o))for(var c,d=0,f=o.length;d1&&void 0!==arguments[1]?arguments[1]:"",n=_(e);return this.transformRules(n,t),e.textContent=g(n),n}},{key:"transformCustomStyle",value:function(e){var t=this,n=_(e);return w(n,(function(e){":root"===e.selector&&(e.selector="html"),t.transformRule(e)})),e.textContent=g(n),n}},{key:"transformRules",value:function(e,t){var n=this;this._currentElement=t,w(e,(function(e){n.transformRule(e)})),this._currentElement=null}},{key:"transformRule",value:function(e){e.cssText=this.transformCssText(e.parsedCssText,e),":root"===e.selector&&(e.selector=":host > *")}},{key:"transformCssText",value:function(e,t){var n=this;return e=e.replace(m.c,(function(e,r,i,o){return n._produceCssProperties(e,r,i,o,t)})),this._consumeCssProperties(e,t)}},{key:"_getInitialValueForProperty",value:function(e){return this._measureElement||(this._measureElement=document.createElement("meta"),this._measureElement.setAttribute("apply-shim-measure",""),this._measureElement.style.all="initial",document.head.appendChild(this._measureElement)),window.getComputedStyle(this._measureElement).getPropertyValue(e)}},{key:"_fallbacksFromPreviousRules",value:function(e){for(var t=this,n=e;n.parent;)n=n.parent;var r={},i=!1;return w(n,(function(n){(i=i||n===e)||n.selector===e.selector&&Object.assign(r,t._cssTextToMap(n.parsedCssText))})),r}},{key:"_consumeCssProperties",value:function(e,t){for(var n=null;n=m.b.exec(e);){var r=n[0],i=n[1],o=n.index,a=o+r.indexOf("@apply"),s=o+r.length,c=e.slice(0,a),l=e.slice(s),u=t?this._fallbacksFromPreviousRules(t):{};Object.assign(u,this._cssTextToMap(c));var d=this._atApplyToCssProperties(i,u);e="".concat(c).concat(d).concat(l),m.b.lastIndex=o+d.length}return e}},{key:"_atApplyToCssProperties",value:function(e,t){e=e.replace(A,"");var n=[],r=this._map.get(e);if(r||(this._map.set(e,{}),r=this._map.get(e)),r){var i,o,a;this._currentElement&&(r.dependants[this._currentElement]=!0);var s=r.properties;for(i in s)o=[i,": var(",e,"_-_",i],(a=t&&t[i])&&o.push(",",a.replace(T,"")),o.push(")"),T.test(s[i])&&o.push(" !important"),n.push(o.join(""))}return n.join("; ")}},{key:"_replaceInitialOrInherit",value:function(e,t){var n=P.exec(t);return n&&(t=n[1]?this._getInitialValueForProperty(e):"apply-shim-inherit"),t}},{key:"_cssTextToMap",value:function(e){for(var t,n,r,i,o=arguments.length>1&&void 0!==arguments[1]&&arguments[1],a=e.split(";"),s={},c=0;c1&&(t=i[0].trim(),n=i.slice(1).join(":"),o&&(n=this._replaceInitialOrInherit(t,n)),s[t]=n);return s}},{key:"_invalidateMixinEntry",value:function(e){if(I)for(var t in e.dependants)t!==this._currentElement&&I(t)}},{key:"_produceCssProperties",value:function(e,t,n,r,i){var o=this;if(n&&function e(t,n){var r=t.indexOf("var(");if(-1===r)return n(t,"","","");var i=k(t,r+3),o=t.substring(r+4,i),a=t.substring(0,r),s=e(t.substring(i+1),n),c=o.indexOf(",");return-1===c?n(a,o.trim(),"",s):n(a,o.substring(0,c).trim(),o.substring(c+1).trim(),s)}(n,(function(e,t){t&&o._map.get(t)&&(r="@apply ".concat(t,";"))})),!r)return e;var a=this._consumeCssProperties(""+r,i),s=e.slice(0,e.indexOf("--")),c=this._cssTextToMap(a,!0),l=c,u=this._map.get(t),d=u&&u.properties;d?l=Object.assign(Object.create(d),c):this._map.set(t,l);var f,p,h=[],m=!1;for(f in l)void 0===(p=c[f])&&(p="initial"),d&&!(f in d)&&(m=!0),h.push("".concat(t).concat("_-_").concat(f,": ").concat(p));return m&&this._invalidateMixinEntry(u),u&&(u.properties=l),n&&(s="".concat(e,";").concat(s)),"".concat(s).concat(h.join("; "),";")}}]),e}();D.prototype.detectMixin=D.prototype.detectMixin,D.prototype.transformStyle=D.prototype.transformStyle,D.prototype.transformCustomStyle=D.prototype.transformCustomStyle,D.prototype.transformRules=D.prototype.transformRules,D.prototype.transformRule=D.prototype.transformRule,D.prototype.transformTemplate=D.prototype.transformTemplate,D.prototype._separator="_-_",Object.defineProperty(D.prototype,"invalidCallback",{get:function(){return I},set:function(e){I=e}});var z=D,F={},L="_applyShimCurrentVersion",N="_applyShimNextVersion",M=Promise.resolve();function B(e){var t=F[e];t&&function(e){e[L]=e[L]||0,e._applyShimValidatingVersion=e._applyShimValidatingVersion||0,e[N]=(e[N]||0)+1}(t)}function H(e){return e[L]===e[N]}function V(e){return!H(e)&&e._applyShimValidatingVersion===e[N]}function U(e){e._applyShimValidatingVersion=e[N],e._validating||(e._validating=!0,M.then((function(){e[L]=e[N],e._validating=!1})))}n(100);function K(e,t){for(var n=0;n-1?n=t:(r=t,n=e.getAttribute&&e.getAttribute("is")||""):(n=e.is,r=e.extends),{is:n,typeExtension:r}}(e).is,n=F[t];if((!n||!x(n))&&n&&!H(n)){V(n)||(this.prepareTemplate(n,t),U(n));var r=e.shadowRoot;if(r){var i=r.querySelector("style");i&&(i.__cssRules=n._styleAst,i.textContent=g(n._styleAst))}}}},{key:"styleDocument",value:function(e){this.ensure(),this.styleSubtree(document.body,e)}}])&&K(t.prototype,n),r&&K(t,r),e}();if(!window.ShadyCSS||!window.ShadyCSS.ScopingShim){var q=new Y,W=window.ShadyCSS&&window.ShadyCSS.CustomStyleInterface;window.ShadyCSS={prepareTemplate:function(e,t,n){q.flushCustomStyles(),q.prepareTemplate(e,t)},prepareTemplateStyles:function(e,t,n){window.ShadyCSS.prepareTemplate(e,t,n)},prepareTemplateDom:function(e,t){},styleSubtree:function(e,t){q.flushCustomStyles(),q.styleSubtree(e,t)},styleElement:function(e){q.flushCustomStyles(),q.styleElement(e)},styleDocument:function(e){q.flushCustomStyles(),q.styleDocument(e)},getComputedStyleValue:function(e,t){return Object(E.b)(e,t)},flushCustomStyles:function(){q.flushCustomStyles()},nativeCss:r.c,nativeShadow:r.d,cssBuild:r.a,disableRuntime:r.b},W&&(window.ShadyCSS.CustomStyleInterface=W)}window.ShadyCSS.ApplyShim=$;var G=n(60),X=n(88),Z=n(86),J=n(14);function Q(e){return(Q="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ee(e,t){for(var n=0;n-1&&le.splice(e,1)}}}]),i}(t);return n.__activateDir=!1,n}));n(73);function ye(){document.body.removeAttribute("unresolved")}"interactive"===document.readyState||"complete"===document.readyState?ye():window.addEventListener("DOMContentLoaded",ye);var ve=n(2),be=n(51),ge=n(40),_e=n(20),we=n(6);function ke(e){return(ke="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Oe(e){return function(e){if(Array.isArray(e))return xe(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return xe(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return xe(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function xe(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n0?_e.b.after(n):_e.a,t.bind(this))}},{key:"isDebouncerActive",value:function(e){this._debouncers=this._debouncers||{};var t=this._debouncers[e];return!(!t||!t.isActive())}},{key:"flushDebouncer",value:function(e){this._debouncers=this._debouncers||{};var t=this._debouncers[e];t&&t.flush()}},{key:"cancelDebouncer",value:function(e){this._debouncers=this._debouncers||{};var t=this._debouncers[e];t&&t.cancel()}},{key:"async",value:function(e,t){return t>0?_e.b.run(e.bind(this),t):~_e.a.run(e.bind(this))}},{key:"cancelAsync",value:function(e){e<0?_e.a.cancel(~e):_e.b.cancel(e)}},{key:"create",value:function(e,t){var n=document.createElement(e);if(t)if(n.setProperties)n.setProperties(t);else for(var r in t)n[r]=t[r];return n}},{key:"elementMatches",value:function(e,t){return Object(ve.b)(t||this,e)}},{key:"toggleAttribute",value:function(e,t){var n=this;return 3===arguments.length&&(n=arguments[2]),1==arguments.length&&(t=!n.hasAttribute(e)),t?(n.setAttribute(e,""),!0):(n.removeAttribute(e),!1)}},{key:"toggleClass",value:function(e,t,n){n=n||this,1==arguments.length&&(t=!n.classList.contains(e)),t?n.classList.add(e):n.classList.remove(e)}},{key:"transform",value:function(e,t){(t=t||this).style.webkitTransform=e,t.style.transform=e}},{key:"translate3d",value:function(e,t,n,r){r=r||this,this.transform("translate3d("+e+","+t+","+n+")",r)}},{key:"arrayDelete",value:function(e,t){var n;if(Array.isArray(e)){if((n=e.indexOf(t))>=0)return e.splice(n,1)}else if((n=Object(we.a)(this,e).indexOf(t))>=0)return this.splice(e,n,1);return null}},{key:"_logger",value:function(e,t){var n;switch(Array.isArray(t)&&1===t.length&&Array.isArray(t[0])&&(t=t[0]),e){case"log":case"warn":case"error":(n=console)[e].apply(n,Oe(t))}}},{key:"_log",value:function(){for(var e=arguments.length,t=new Array(e),n=0;n1?t-1:0),r=1;r\n
\n
\n
\n ','\n
\n ','\n
\n ',"\n
\n
\n
\n
\n "]);return s=function(){return e},e}function c(){var e=d(['\n \n \n ']);return c=function(){return e},e}function l(){var e=d(['\n \n \n ']);return l=function(){return e},e}function u(){var e=d(['\n \n \n ']);return u=function(){return e},e}function d(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function f(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function p(e,t){return(p=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function h(e,t){return!t||"object"!==o(t)&&"function"!=typeof t?m(e):t}function m(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function y(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function v(e){return(v=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function b(e){var t,n=O(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function g(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function _(e){return e.decorators&&e.decorators.length}function w(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function k(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function O(e){var t=function(e,t){if("object"!==o(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==o(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===o(t)?t:String(t)}function x(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n :host {\n display: inline-block;\n position: fixed;\n clip: rect(0px,0px,0px,0px);\n }\n \n
[[_text]]
\n']);return o=function(){return e},e}var a=Object(r.a)({_template:Object(i.a)(o()),is:"iron-a11y-announcer",properties:{mode:{type:String,value:"polite"},_text:{type:String,value:""}},created:function(){a.instance||(a.instance=this),document.body.addEventListener("iron-announce",this._onIronAnnounce.bind(this))},announce:function(e){this._text="",this.async((function(){this._text=e}),100)},_onIronAnnounce:function(e){e.detail&&e.detail.text&&this.announce(e.detail.text)}});a.instance=null,a.requestAvailability=function(){a.instance||(a.instance=document.createElement("iron-a11y-announcer")),document.body.appendChild(a.instance)};var s=n(59),c=n(2);function l(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n \n']);return l=function(){return e},e}Object(r.a)({_template:Object(i.a)(l()),is:"iron-input",behaviors:[s.a],properties:{bindValue:{type:String,value:""},value:{type:String,computed:"_computeValue(bindValue)"},allowedPattern:{type:String},autoValidate:{type:Boolean,value:!1},_inputElement:Object},observers:["_bindValueChanged(bindValue, _inputElement)"],listeners:{input:"_onInput",keypress:"_onKeypress"},created:function(){a.requestAvailability(),this._previousValidInput="",this._patternAlreadyChecked=!1},attached:function(){this._observer=Object(c.a)(this).observeNodes(function(e){this._initSlottedInput()}.bind(this))},detached:function(){this._observer&&(Object(c.a)(this).unobserveNodes(this._observer),this._observer=null)},get inputElement(){return this._inputElement},_initSlottedInput:function(){this._inputElement=this.getEffectiveChildren()[0],this.inputElement&&this.inputElement.value&&(this.bindValue=this.inputElement.value),this.fire("iron-input-ready")},get _patternRegExp(){var e;if(this.allowedPattern)e=new RegExp(this.allowedPattern);else switch(this.inputElement.type){case"number":e=/[0-9.,e-]/}return e},_bindValueChanged:function(e,t){t&&(void 0===e?t.value=null:e!==t.value&&(this.inputElement.value=e),this.autoValidate&&this.validate(),this.fire("bind-value-changed",{value:e}))},_onInput:function(){this.allowedPattern&&!this._patternAlreadyChecked&&(this._checkPatternValidity()||(this._announceInvalidCharacter("Invalid string of characters not entered."),this.inputElement.value=this._previousValidInput));this.bindValue=this._previousValidInput=this.inputElement.value,this._patternAlreadyChecked=!1},_isPrintable:function(e){var t=8==e.keyCode||9==e.keyCode||13==e.keyCode||27==e.keyCode,n=19==e.keyCode||20==e.keyCode||45==e.keyCode||46==e.keyCode||144==e.keyCode||145==e.keyCode||e.keyCode>32&&e.keyCode<41||e.keyCode>111&&e.keyCode<124;return!(t||0==e.charCode&&n)},_onKeypress:function(e){if(this.allowedPattern||"number"===this.inputElement.type){var t=this._patternRegExp;if(t&&!(e.metaKey||e.ctrlKey||e.altKey)){this._patternAlreadyChecked=!0;var n=String.fromCharCode(e.charCode);this._isPrintable(e)&&!t.test(n)&&(e.preventDefault(),this._announceInvalidCharacter("Invalid character "+n+" not entered."))}}},_checkPatternValidity:function(){var e=this._patternRegExp;if(!e)return!0;for(var t=0;t\n :host {\n display: inline-block;\n float: right;\n\n @apply --paper-font-caption;\n @apply --paper-input-char-counter;\n }\n\n :host([hidden]) {\n display: none !important;\n }\n\n :host(:dir(rtl)) {\n float: left;\n }\n \n\n [[_charCounterStr]]\n"]);return d=function(){return e},e}Object(r.a)({_template:Object(i.a)(d()),is:"paper-input-char-counter",behaviors:[u],properties:{_charCounterStr:{type:String,value:"0"}},update:function(e){if(e.inputElement){e.value=e.value||"";var t=e.value.toString().length.toString();e.inputElement.hasAttribute("maxlength")&&(t+="/"+e.inputElement.getAttribute("maxlength")),this._charCounterStr=t}}});n(53),n(36);var f=n(35);function p(){var e=m(['\n \n\n \n\n
\n \n\n
\n \n \n
\n\n \n
\n\n
\n
\n
\n
\n\n
\n \n
\n']);return p=function(){return e},e}function h(){var e=m(['\n\n \n\n']);return h=function(){return e},e}function m(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}var y=Object(i.a)(h());function v(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n\n \x3c!--\n If the paper-input-error element is directly referenced by an\n `aria-describedby` attribute, such as when used as a paper-input add-on,\n then applying `visibility: hidden;` to the paper-input-error element itself\n does not hide the error.\n\n For more information, see:\n https://www.w3.org/TR/accname-1.1/#mapping_additional_nd_description\n --\x3e\n
\n \n
\n'],['\n \n\n \x3c!--\n If the paper-input-error element is directly referenced by an\n \\`aria-describedby\\` attribute, such as when used as a paper-input add-on,\n then applying \\`visibility: hidden;\\` to the paper-input-error element itself\n does not hide the error.\n\n For more information, see:\n https://www.w3.org/TR/accname-1.1/#mapping_additional_nd_description\n --\x3e\n
\n \n
\n']);return v=function(){return e},e}y.setAttribute("style","display: none;"),document.head.appendChild(y.content),Object(r.a)({_template:Object(i.a)(p()),is:"paper-input-container",properties:{noLabelFloat:{type:Boolean,value:!1},alwaysFloatLabel:{type:Boolean,value:!1},attrForValue:{type:String,value:"bind-value"},autoValidate:{type:Boolean,value:!1},invalid:{observer:"_invalidChanged",type:Boolean,value:!1},focused:{readOnly:!0,type:Boolean,value:!1,notify:!0},_addons:{type:Array},_inputHasContent:{type:Boolean,value:!1},_inputSelector:{type:String,value:"input,iron-input,textarea,.paper-input-input"},_boundOnFocus:{type:Function,value:function(){return this._onFocus.bind(this)}},_boundOnBlur:{type:Function,value:function(){return this._onBlur.bind(this)}},_boundOnInput:{type:Function,value:function(){return this._onInput.bind(this)}},_boundValueChanged:{type:Function,value:function(){return this._onValueChanged.bind(this)}}},listeners:{"addon-attached":"_onAddonAttached","iron-input-validate":"_onIronInputValidate"},get _valueChangedEvent(){return this.attrForValue+"-changed"},get _propertyForValue(){return Object(f.b)(this.attrForValue)},get _inputElement(){return Object(c.a)(this).querySelector(this._inputSelector)},get _inputElementValue(){return this._inputElement[this._propertyForValue]||this._inputElement.value},ready:function(){this.__isFirstValueUpdate=!0,this._addons||(this._addons=[]),this.addEventListener("focus",this._boundOnFocus,!0),this.addEventListener("blur",this._boundOnBlur,!0)},attached:function(){this.attrForValue?this._inputElement.addEventListener(this._valueChangedEvent,this._boundValueChanged):this.addEventListener("input",this._onInput),this._inputElementValue&&""!=this._inputElementValue?this._handleValueAndAutoValidate(this._inputElement):this._handleValue(this._inputElement)},_onAddonAttached:function(e){this._addons||(this._addons=[]);var t=e.target;-1===this._addons.indexOf(t)&&(this._addons.push(t),this.isAttached&&this._handleValue(this._inputElement))},_onFocus:function(){this._setFocused(!0)},_onBlur:function(){this._setFocused(!1),this._handleValueAndAutoValidate(this._inputElement)},_onInput:function(e){this._handleValueAndAutoValidate(e.target)},_onValueChanged:function(e){var t=e.target;this.__isFirstValueUpdate&&(this.__isFirstValueUpdate=!1,void 0===t.value||""===t.value)||this._handleValueAndAutoValidate(e.target)},_handleValue:function(e){var t=this._inputElementValue;t||0===t||"number"===e.type&&!e.checkValidity()?this._inputHasContent=!0:this._inputHasContent=!1,this.updateAddons({inputElement:e,value:t,invalid:this.invalid})},_handleValueAndAutoValidate:function(e){var t;this.autoValidate&&e&&(t=e.validate?e.validate(this._inputElementValue):e.checkValidity(),this.invalid=!t);this._handleValue(e)},_onIronInputValidate:function(e){this.invalid=this._inputElement.invalid},_invalidChanged:function(){this._addons&&this.updateAddons({invalid:this.invalid})},updateAddons:function(e){for(var t,n=0;t=this._addons[n];n++)t.update(e)},_computeInputContentClass:function(e,t,n,r,i){var o="input-content";if(e)i&&(o+=" label-is-hidden"),r&&(o+=" is-invalid");else{var a=this.querySelector("label");t||i?(o+=" label-is-floating",this.$.labelAndInputContainer.style.position="static",r?o+=" is-invalid":n&&(o+=" label-is-highlighted")):(a&&(this.$.labelAndInputContainer.style.position="relative"),r&&(o+=" is-invalid"))}return n&&(o+=" focused"),o},_computeUnderlineClass:function(e,t){var n="underline";return t?n+=" is-invalid":e&&(n+=" is-highlighted"),n},_computeAddOnContentClass:function(e,t){var n="add-on-content";return t?n+=" is-invalid":e&&(n+=" is-highlighted"),n}}),Object(r.a)({_template:Object(i.a)(v()),is:"paper-input-error",behaviors:[u],properties:{invalid:{readOnly:!0,reflectToAttribute:!0,type:Boolean}},update:function(e){this._setInvalid(e.invalid)}});var b=n(69),g=(n(68),n(25)),_=n(28),w=n(34),k={NextLabelID:1,NextAddonID:1,NextInputID:1},O={properties:{label:{type:String},value:{notify:!0,type:String},disabled:{type:Boolean,value:!1},invalid:{type:Boolean,value:!1,notify:!0},allowedPattern:{type:String},type:{type:String},list:{type:String},pattern:{type:String},required:{type:Boolean,value:!1},errorMessage:{type:String},charCounter:{type:Boolean,value:!1},noLabelFloat:{type:Boolean,value:!1},alwaysFloatLabel:{type:Boolean,value:!1},autoValidate:{type:Boolean,value:!1},validator:{type:String},autocomplete:{type:String,value:"off"},autofocus:{type:Boolean,observer:"_autofocusChanged"},inputmode:{type:String},minlength:{type:Number},maxlength:{type:Number},min:{type:String},max:{type:String},step:{type:String},name:{type:String},placeholder:{type:String,value:""},readonly:{type:Boolean,value:!1},size:{type:Number},autocapitalize:{type:String,value:"none"},autocorrect:{type:String,value:"off"},autosave:{type:String},results:{type:Number},accept:{type:String},multiple:{type:Boolean},_ariaDescribedBy:{type:String,value:""},_ariaLabelledBy:{type:String,value:""},_inputId:{type:String,value:""}},listeners:{"addon-attached":"_onAddonAttached"},keyBindings:{"shift+tab:keydown":"_onShiftTabDown"},hostAttributes:{tabindex:0},get inputElement(){return this.$||(this.$={}),this.$.input||(this._generateInputId(),this.$.input=this.$$("#"+this._inputId)),this.$.input},get _focusableElement(){return this.inputElement},created:function(){this._typesThatHaveText=["date","datetime","datetime-local","month","time","week","file"]},attached:function(){this._updateAriaLabelledBy(),!w.a&&this.inputElement&&-1!==this._typesThatHaveText.indexOf(this.inputElement.type)&&(this.alwaysFloatLabel=!0)},_appendStringWithSpace:function(e,t){return e=e?e+" "+t:t},_onAddonAttached:function(e){var t=Object(c.a)(e).rootTarget;if(t.id)this._ariaDescribedBy=this._appendStringWithSpace(this._ariaDescribedBy,t.id);else{var n="paper-input-add-on-"+k.NextAddonID++;t.id=n,this._ariaDescribedBy=this._appendStringWithSpace(this._ariaDescribedBy,n)}},validate:function(){return this.inputElement.validate()},_focusBlurHandler:function(e){_.a._focusBlurHandler.call(this,e),this.focused&&!this._shiftTabPressed&&this._focusableElement&&this._focusableElement.focus()},_onShiftTabDown:function(e){var t=this.getAttribute("tabindex");this._shiftTabPressed=!0,this.setAttribute("tabindex","-1"),this.async((function(){this.setAttribute("tabindex",t),this._shiftTabPressed=!1}),1)},_handleAutoValidate:function(){this.autoValidate&&this.validate()},updateValueAndPreserveCaret:function(e){try{var t=this.inputElement.selectionStart;this.value=e,this.inputElement.selectionStart=t,this.inputElement.selectionEnd=t}catch(n){this.value=e}},_computeAlwaysFloatLabel:function(e,t){return t||e},_updateAriaLabelledBy:function(){var e,t=Object(c.a)(this.root).querySelector("label");t?(t.id?e=t.id:(e="paper-input-label-"+k.NextLabelID++,t.id=e),this._ariaLabelledBy=e):this._ariaLabelledBy=""},_generateInputId:function(){this._inputId&&""!==this._inputId||(this._inputId="input-"+k.NextInputID++)},_onChange:function(e){this.shadowRoot&&this.fire(e.type,{sourceEvent:e},{node:this,bubbles:e.bubbles,cancelable:e.cancelable})},_autofocusChanged:function(){if(this.autofocus&&this._focusableElement){var e=document.activeElement;e instanceof HTMLElement&&e!==document.body&&e!==document.documentElement||this._focusableElement.focus()}}},x=[_.a,g.a,O];function E(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n\n \n\n \n\n \n\n \x3c!-- Need to bind maxlength so that the paper-input-char-counter works correctly --\x3e\n \n \n \n\n \n\n \n\n \n\n \n ']);return E=function(){return e},e}Object(r.a)({is:"paper-input",_template:Object(i.a)(E()),behaviors:[x,b.a],properties:{value:{type:String}},get _focusableElement(){return this.inputElement._inputElement},listeners:{"iron-input-ready":"_onIronInputReady"},_onIronInputReady:function(){this.$.nativeInput||(this.$.nativeInput=this.$$("input")),this.inputElement&&-1!==this._typesThatHaveText.indexOf(this.$.nativeInput.type)&&(this.alwaysFloatLabel=!0),this.inputElement.bindValue&&this.$.container._handleValueAndAutoValidate(this.inputElement)}})},function(e,t,n){"use strict";n(66);var r=n(0),i=n(13),o=n(41),a=n(37),s=(n(99),n(97),n(33),n(95),n(42)),c=n(76);function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function u(){var e=m(["\n div {\n padding: 0 32px;\n display: flex;\n flex-direction: column;\n text-align: center;\n align-items: center;\n justify-content: center;\n height: 64px;\n cursor: pointer;\n position: relative;\n outline: none;\n box-sizing: border-box;\n }\n\n .name {\n white-space: nowrap;\n }\n\n :host([active]) {\n color: var(--primary-color);\n }\n\n :host(:not([narrow])[active]) div {\n border-bottom: 2px solid var(--primary-color);\n }\n\n :host([narrow]) {\n padding: 0 16px;\n width: 20%;\n min-width: 0;\n }\n "]);return u=function(){return e},e}function d(){var e=m([""]);return d=function(){return e},e}function f(){var e=m(['',""]);return f=function(){return e},e}function p(){var e=m(['']);return p=function(){return e},e}function h(){var e=m(['\n e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a
']);return D=function(){return e},e}function z(){var e=H(['\n \n ',"\n ","\n ",'\n
\n \n
\n \n
\n \n
\n
\n ']);return L=function(){return e},e}function N(){var e=H(['e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a1||!this.narrow?Object(r.f)(I(),Object(i.a)({"bottom-bar":this.narrow}),t):"",this._saveScrollPos)}},{kind:"method",decorators:[Object(r.e)({passive:!0})],key:"_saveScrollPos",value:function(e){this._savedScrollPos=e.target.scrollTop}},{kind:"method",key:"_tabTapped",value:function(e){Object(a.a)(this,e.currentTarget.path,!0)}},{kind:"method",key:"_backTapped",value:function(){this.backPath?Object(a.a)(this,this.backPath):this.backCallback?this.backCallback():history.back()}},{kind:"get",static:!0,key:"styles",value:function(){return Object(r.c)(R())}}]}}),r.a)},function(e,t,n){"use strict";var r=n(65);e.exports=r.DEFAULT=new r({include:[n(72)],explicit:[n(156),n(157),n(158)]})},function(e,t,n){"use strict";var r=n(0),i=n(41),o=n(37);n(39),n(121);function a(e){return(a="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function s(){var e=u(["\n :host {\n display: block;\n height: 100%;\n background-color: var(--primary-background-color);\n }\n .toolbar {\n display: flex;\n align-items: center;\n font-size: 20px;\n height: 65px;\n padding: 0 16px;\n pointer-events: none;\n background-color: var(--app-header-background-color);\n font-weight: 400;\n color: var(--app-header-text-color, white);\n border-bottom: var(--app-header-border-bottom, none);\n box-sizing: border-box;\n }\n ha-icon-button-arrow-prev {\n pointer-events: auto;\n }\n .content {\n height: calc(100% - 64px);\n display: flex;\n align-items: center;\n justify-content: center;\n flex-direction: column;\n }\n "]);return s=function(){return e},e}function c(){var e=u(['
\n \n

',"

\n \n go back\n \n
\n "]);return l=function(){return e},e}function u(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function d(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function f(e,t){return(f=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function p(e,t){return!t||"object"!==a(t)&&"function"!=typeof t?h(e):t}function h(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function m(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function y(e){return(y=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function v(e){var t,n=k(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function b(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function g(e){return e.decorators&&e.decorators.length}function _(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function w(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function k(e){var t=function(e,t){if("object"!==a(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==a(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===a(t)?t:String(t)}function O(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a0||n>0;)if(0!=t)if(0!=n){var o=e[t-1][n-1],a=e[t-1][n],s=e[t][n-1],c=void 0;(c=a0&&(this.selectedValues=this.selectedItems.map((function(e){return this._indexToValue(this.indexOf(e))}),this).filter((function(e){return null!=e}),this)):i.a._updateAttrForSelected.apply(this)},_updateSelected:function(){this.multi?this._selectMulti(this.selectedValues):this._selectSelected(this.selected)},_selectMulti:function(e){e=e||[];var t=(this._valuesToItems(e)||[]).filter((function(e){return null!=e}));this._selection.clear(t);for(var n=0;n0&&d.some((function(e){return t.adapter.containsEventTarget(e)}))?this.resetActivationState_():(void 0!==e&&(d.push(e.target),this.registerDeactivationHandlers_(e)),n.wasElementMadeActive=this.checkElementMadeActive_(e),n.wasElementMadeActive&&this.animateActivation_(),requestAnimationFrame((function(){d=[],n.wasElementMadeActive||void 0===e||" "!==e.key&&32!==e.keyCode||(n.wasElementMadeActive=t.checkElementMadeActive_(e),n.wasElementMadeActive&&t.animateActivation_()),n.wasElementMadeActive||(t.activationState_=t.defaultActivationState_())})))}}},t.prototype.checkElementMadeActive_=function(e){return void 0===e||"keydown"!==e.type||this.adapter.isSurfaceActive()},t.prototype.animateActivation_=function(){var e=this,n=t.strings,r=n.VAR_FG_TRANSLATE_START,i=n.VAR_FG_TRANSLATE_END,o=t.cssClasses,a=o.FG_DEACTIVATION,s=o.FG_ACTIVATION,c=t.numbers.DEACTIVATION_TIMEOUT_MS;this.layoutInternal_();var l="",u="";if(!this.adapter.isUnbounded()){var d=this.getFgTranslationCoordinates_(),f=d.startPoint,p=d.endPoint;l=f.x+"px, "+f.y+"px",u=p.x+"px, "+p.y+"px"}this.adapter.updateCssVariable(r,l),this.adapter.updateCssVariable(i,u),clearTimeout(this.activationTimer_),clearTimeout(this.fgDeactivationRemovalTimer_),this.rmBoundedActivationClasses_(),this.adapter.removeClass(a),this.adapter.computeBoundingRect(),this.adapter.addClass(s),this.activationTimer_=setTimeout((function(){return e.activationTimerCallback_()}),c)},t.prototype.getFgTranslationCoordinates_=function(){var e,t=this.activationState_,n=t.activationEvent;return{startPoint:e={x:(e=t.wasActivatedByPointer?Object(c.a)(n,this.adapter.getWindowPageOffset(),this.adapter.computeBoundingRect()):{x:this.frame_.width/2,y:this.frame_.height/2}).x-this.initialSize_/2,y:e.y-this.initialSize_/2},endPoint:{x:this.frame_.width/2-this.initialSize_/2,y:this.frame_.height/2-this.initialSize_/2}}},t.prototype.runDeactivationUXLogicIfReady_=function(){var e=this,n=t.cssClasses.FG_DEACTIVATION,r=this.activationState_,i=r.hasDeactivationUXRun,o=r.isActivated;(i||!o)&&this.activationAnimationHasEnded_&&(this.rmBoundedActivationClasses_(),this.adapter.addClass(n),this.fgDeactivationRemovalTimer_=setTimeout((function(){e.adapter.removeClass(n)}),s.FG_DEACTIVATION_MS))},t.prototype.rmBoundedActivationClasses_=function(){var e=t.cssClasses.FG_ACTIVATION;this.adapter.removeClass(e),this.activationAnimationHasEnded_=!1,this.adapter.computeBoundingRect()},t.prototype.resetActivationState_=function(){var e=this;this.previousActivationEvent_=this.activationState_.activationEvent,this.activationState_=this.defaultActivationState_(),setTimeout((function(){return e.previousActivationEvent_=void 0}),t.numbers.TAP_DELAY_MS)},t.prototype.deactivate_=function(){var e=this,t=this.activationState_;if(t.isActivated){var n=Object(r.a)({},t);t.isProgrammatic?(requestAnimationFrame((function(){return e.animateDeactivation_(n)})),this.resetActivationState_()):(this.deregisterDeactivationHandlers_(),requestAnimationFrame((function(){e.activationState_.hasDeactivationUXRun=!0,e.animateDeactivation_(n),e.resetActivationState_()})))}},t.prototype.animateDeactivation_=function(e){var t=e.wasActivatedByPointer,n=e.wasElementMadeActive;(t||n)&&this.runDeactivationUXLogicIfReady_()},t.prototype.layoutInternal_=function(){var e=this;this.frame_=this.adapter.computeBoundingRect();var n=Math.max(this.frame_.height,this.frame_.width);this.maxRadius_=this.adapter.isUnbounded()?n:Math.sqrt(Math.pow(e.frame_.width,2)+Math.pow(e.frame_.height,2))+t.numbers.PADDING;var r=Math.floor(n*t.numbers.INITIAL_ORIGIN_SCALE);this.adapter.isUnbounded()&&r%2!=0?this.initialSize_=r-1:this.initialSize_=r,this.fgScale_=""+this.maxRadius_/this.initialSize_,this.updateLayoutCssVars_()},t.prototype.updateLayoutCssVars_=function(){var e=t.strings,n=e.VAR_FG_SIZE,r=e.VAR_LEFT,i=e.VAR_TOP,o=e.VAR_FG_SCALE;this.adapter.updateCssVariable(n,this.initialSize_+"px"),this.adapter.updateCssVariable(o,this.fgScale_),this.adapter.isUnbounded()&&(this.unboundedCoords_={left:Math.round(this.frame_.width/2-this.initialSize_/2),top:Math.round(this.frame_.height/2-this.initialSize_/2)},this.adapter.updateCssVariable(r,this.unboundedCoords_.left+"px"),this.adapter.updateCssVariable(i,this.unboundedCoords_.top+"px"))},t}(i.a);t.a=f},function(e,t,n){"use strict";n(3),n(53);var r=n(4),i=n(5);function o(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \n\n \n"]);return o=function(){return e},e}Object(r.a)({_template:Object(i.a)(o()),is:"app-toolbar"});var a=n(0),s=(n(79),n(99),n(97),n(12));function c(e){return(c="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function l(){var e=h(["\n :host {\n display: block;\n height: 100%;\n background-color: var(--primary-background-color);\n }\n .toolbar {\n display: flex;\n align-items: center;\n font-size: 20px;\n height: 65px;\n padding: 0 16px;\n pointer-events: none;\n background-color: var(--app-header-background-color);\n font-weight: 400;\n color: var(--app-header-text-color, white);\n border-bottom: var(--app-header-border-bottom, none);\n box-sizing: border-box;\n }\n ha-menu-button,\n ha-icon-button-arrow-prev {\n pointer-events: auto;\n }\n .content {\n height: calc(100% - 64px);\n display: flex;\n align-items: center;\n justify-content: center;\n }\n "]);return l=function(){return e},e}function u(){var e=h(["\n \n "]);return u=function(){return e},e}function d(){var e=h(["\n \n "]);return d=function(){return e},e}function f(){var e=h(['
\n ',"\n
"]);return f=function(){return e},e}function p(){var e=h(["\n ",'\n
\n \n
\n ']);return p=function(){return e},e}function h(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function m(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function y(e,t){return(y=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function v(e,t){return!t||"object"!==c(t)&&"function"!=typeof t?b(e):t}function b(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function g(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function _(e){return(_=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function w(e){var t,n=S(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function k(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function O(e){return e.decorators&&e.decorators.length}function x(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function E(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function S(e){var t=function(e,t){if("object"!==c(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==c(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===c(t)?t:String(t)}function j(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a{const i=indexedDB.open(e,1);i.onerror=()=>r(i.error),i.onsuccess=()=>n(i.result),i.onupgradeneeded=()=>{i.result.createObjectStore(t)}})}_withIDBStore(e,t){return this._dbp.then(n=>new Promise((r,i)=>{const o=n.transaction(this.storeName,e);o.oncomplete=()=>r(),o.onabort=o.onerror=()=>i(o.error),t(o.objectStore(this.storeName))}))}}let c;function l(){return c||(c=new s),c}function u(e,t,n=l()){return n._withIDBStore("readwrite",n=>{n.put(t,e)})}function d(e,t,n,r,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void n(l)}s.done?t(c):Promise.resolve(c).then(r,i)}function f(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,i=!1,o=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(c){i=!0,o=c}finally{try{r||null==s.return||s.return()}finally{if(i)throw o}}return n}(e,t)||h(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function p(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=h(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function h(e,t){if(e){if("string"==typeof e)return m(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?m(e,t):void 0}}function m(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n1)){var r=[];y._withIDBStore("readonly",(function(e){var t,n=p(b);try{for(n.s();!(t=n.n()).done;){var i=f(t.value,2),o=i[0],a=i[1];r.push([a,e.get(o)])}}catch(s){n.e(s)}finally{n.f()}b=[]})).then((function(){var e,t=p(r);try{for(t.s();!(e=t.n()).done;){var n=f(e.value,2);(0,n[0])(n[1].result)}}catch(i){t.e(i)}finally{t.f()}})).catch((function(){var e,t=p(b);try{for(t.s();!(e=t.n()).done;){(0,f(e.value,3)[2])()}}catch(n){t.e(n)}finally{t.f()}b=[]}))}}))},_=function(e){var t,n,r=p(a.parts);try{for(r.s();!(n=r.n()).done;){var i=n.value;if(void 0!==i.start&&e"]);return A=function(){return e},e}function P(){var e=R([""]);return P=function(){return e},e}function T(){var e=R([""]);return T=function(){return e},e}function R(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function I(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function D(e,t){return(D=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function z(e,t){return!t||"object"!==x(t)&&"function"!=typeof t?F(e):t}function F(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function L(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function N(e){return(N=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function M(e){var t,n=K(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function B(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function H(e){return e.decorators&&e.decorators.length}function V(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function U(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function K(e){var t=function(e,t){if("object"!==x(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==x(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===x(t)?t:String(t)}function $(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}function Y(e,t){if(e){if("string"==typeof e)return q(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?q(e,t):void 0}}function q(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n{n=t.get(e)}).then(()=>n.result)})("_version",y).then((function(e){e?e!==a.version&&function(e=l()){return e._withIDBStore("readwrite",e=>{e.clear()})}(y).then((function(){return u("_version",a.version,y)})):u("_version",a.version,y)}));var J=Object(k.a)((function(){return w(Z)}),2e3),Q={};!function(e,t,n,r){var i=function(){(function(){return e});var e={elementsDefinitionOrder:[["method"],["field"]],initializeInstanceElements:function(e,t){["method","field"].forEach((function(n){t.forEach((function(t){t.kind===n&&"own"===t.placement&&this.defineClassElement(e,t)}),this)}),this)},initializeClassElements:function(e,t){var n=e.prototype;["method","field"].forEach((function(r){t.forEach((function(t){var i=t.placement;if(t.kind===r&&("static"===i||"prototype"===i)){var o="static"===i?e:n;this.defineClassElement(o,t)}}),this)}),this)},defineClassElement:function(e,t){var n=t.descriptor;if("field"===t.kind){var r=t.initializer;n={enumerable:n.enumerable,writable:n.writable,configurable:n.configurable,value:void 0===r?void 0:r.call(e)}}Object.defineProperty(e,t.key,n)},decorateClass:function(e,t){var n=[],r=[],i={static:[],prototype:[],own:[]};if(e.forEach((function(e){this.addElementPlacement(e,i)}),this),e.forEach((function(e){if(!H(e))return n.push(e);var t=this.decorateElement(e,i);n.push(t.element),n.push.apply(n,t.extras),r.push.apply(r,t.finishers)}),this),!t)return{elements:n,finishers:r};var o=this.decorateConstructor(n,t);return r.push.apply(r,o.finishers),o.finishers=r,o},addElementPlacement:function(e,t,n){var r=t[e.placement];if(!n&&-1!==r.indexOf(e.key))throw new TypeError("Duplicated element ("+e.key+")");r.push(e.key)},decorateElement:function(e,t){for(var n=[],r=[],i=e.decorators,o=i.length-1;o>=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a2&&void 0!==arguments[2]?arguments[2]:{},r=n.compareTime||new Date,i=(r.getTime()-e.getTime())/1e3,o=i>=0?"past":"future";i=Math.abs(i);var a=Math.round(i);if(0===a)return t("ui.components.relative_time.just_now");for(var l="week",u=0;u\n \n
\n \n ']);return T=function(){return e},e}function R(){var e=D(['
']);return R=function(){return e},e}function I(){var e=D(["\n ","\n ",'\n
\n
\n ','\n
\n
\n ',"\n ","\n ","\n
\n
\n "]);return I=function(){return e},e}function D(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function z(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function F(e,t){return(F=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function L(e,t){return!t||"object"!==j(t)&&"function"!=typeof t?N(e):t}function N(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function M(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function B(e){return(B=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function H(e){var t,n=Y(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function V(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function U(e){return e.decorators&&e.decorators.length}function K(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function $(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function Y(e){var t=function(e,t){if("object"!==j(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==j(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===j(t)?t:String(t)}function q(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n \n "]);return a=function(){return e},e}function s(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function c(e,t){return(c=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function l(e,t){return!t||"object"!==o(t)&&"function"!=typeof t?u(e):t}function u(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function d(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function f(e){var t,n=v(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function p(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function h(e){return e.decorators&&e.decorators.length}function m(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function y(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function v(e){var t=function(e,t){if("object"!==o(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==o(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===o(t)?t:String(t)}function b(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a ']);return d=function(){return e},e}function f(){var e=p(["\n \n \n \n ","\n "]);return f=function(){return e},e}function p(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function h(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function m(e,t){return(m=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function y(e,t){return!t||"object"!==l(t)&&"function"!=typeof t?v(e):t}function v(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function b(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function g(e){var t,n=x(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function _(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function w(e){return e.decorators&&e.decorators.length}function k(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function O(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function x(e){var t=function(e,t){if("object"!==l(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==l(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===l(t)?t:String(t)}function E(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a0},Object(a.a)("_ntf",s,c,e,t))}},{kind:"method",key:"_toggleMenu",value:function(){Object(o.a)(this,"hass-toggle-menu")}},{kind:"get",static:!0,key:"styles",value:function(){return Object(i.c)(u())}}]}}),i.a)},function(e,t,n){"use strict";var r,i=null,o=window.HTMLImports&&window.HTMLImports.whenReady||null;function a(e){requestAnimationFrame((function(){o?o(e):(i||(i=new Promise((function(e){r=e})),"complete"===document.readyState?r():document.addEventListener("readystatechange",(function(){"complete"===document.readyState&&r()}))),i.then((function(){e&&e()})))}))}function s(e,t){for(var n=0;n',""]);return m=function(){return e},e}function y(){var e=b(['\n
\n
\n
\n ','\n
\n \n
\n \n \n \n \n \n \n \n \n
\n
\n
\n
']);return y=function(){return e},e}function v(){var e=b([""]);return v=function(){return e},e}function b(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function g(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(!e)return;if("string"==typeof e)return _(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return _(e,t)}(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);nt.offsetHeight},notifyClosed:function(t){return e.emitNotification("closed",t)},notifyClosing:function(t){e.closingDueToDisconnect||(e.open=!1),e.emitNotification("closing",t)},notifyOpened:function(){return e.emitNotification("opened")},notifyOpening:function(){e.open=!0,e.emitNotification("opening")},reverseButtons:function(){},releaseFocus:function(){C.remove(e)},trapFocus:function(t){C.push(e),t&&t.focus()}})}},{key:"render",value:function(){var e,t,n,r=(e={},t=o.STACKED,n=this.stacked,t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e),a=Object(i.f)(v());this.heading&&(a=this.renderHeading());var s={"mdc-dialog__actions":!this.hideActions};return Object(i.f)(y(),Object(p.a)(r),a,Object(p.a)(s))}},{key:"renderHeading",value:function(){return Object(i.f)(m(),this.heading)}},{key:"firstUpdated",value:function(){O(j(f.prototype),"firstUpdated",this).call(this),this.mdcFoundation.setAutoStackButtons(!0)}},{key:"connectedCallback",value:function(){O(j(f.prototype),"connectedCallback",this).call(this),this.open&&this.mdcFoundation&&!this.mdcFoundation.isOpen()&&(this.setEventListeners(),this.mdcFoundation.open())}},{key:"disconnectedCallback",value:function(){O(j(f.prototype),"disconnectedCallback",this).call(this),this.open&&this.mdcFoundation&&(this.removeEventListeners(),this.closingDueToDisconnect=!0,this.mdcFoundation.close(this.currentAction||this.defaultAction),this.closingDueToDisconnect=!1,this.currentAction=void 0,C.remove(this))}},{key:"forceLayout",value:function(){this.mdcFoundation.layout()}},{key:"focus",value:function(){var e=this.getInitialFocusEl();e&&e.focus()}},{key:"blur",value:function(){if(this.shadowRoot){var e=this.shadowRoot.activeElement;if(e)e instanceof HTMLElement&&e.blur();else{var t=this.getRootNode(),n=t instanceof Document?t.activeElement:null;n instanceof HTMLElement&&n.blur()}}}},{key:"setEventListeners",value:function(){var e=this;this.boundHandleClick=this.mdcFoundation.handleClick.bind(this.mdcFoundation),this.boundLayout=function(){e.open&&e.mdcFoundation.layout.bind(e.mdcFoundation)},this.boundHandleKeydown=this.mdcFoundation.handleKeydown.bind(this.mdcFoundation),this.boundHandleDocumentKeydown=this.mdcFoundation.handleDocumentKeydown.bind(this.mdcFoundation),this.mdcRoot.addEventListener("click",this.boundHandleClick),window.addEventListener("resize",this.boundLayout,Object(l.a)()),window.addEventListener("orientationchange",this.boundLayout,Object(l.a)()),this.mdcRoot.addEventListener("keydown",this.boundHandleKeydown,Object(l.a)()),document.addEventListener("keydown",this.boundHandleDocumentKeydown,Object(l.a)())}},{key:"removeEventListeners",value:function(){this.boundHandleClick&&this.mdcRoot.removeEventListener("click",this.boundHandleClick),this.boundLayout&&(window.removeEventListener("resize",this.boundLayout),window.removeEventListener("orientationchange",this.boundLayout)),this.boundHandleKeydown&&this.mdcRoot.removeEventListener("keydown",this.boundHandleKeydown),this.boundHandleDocumentKeydown&&this.mdcRoot.removeEventListener("keydown",this.boundHandleDocumentKeydown)}},{key:"close",value:function(){this.open=!1}},{key:"show",value:function(){this.open=!0}},{key:"primaryButton",get:function(){var e=this.primarySlot.assignedNodes(),t=(e=e.filter((function(e){return e instanceof HTMLElement})))[0];return t||null}}])&&k(n.prototype,r),a&&k(n,a),f}(d.a);function P(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['.mdc-elevation-overlay{position:absolute;border-radius:inherit;pointer-events:none;opacity:0;opacity:var(--mdc-elevation-overlay-opacity, 0);transition:opacity 280ms cubic-bezier(0.4, 0, 0.2, 1);background-color:#fff;background-color:var(--mdc-elevation-overlay-color, #fff)}.mdc-dialog,.mdc-dialog__scrim{position:fixed;top:0;left:0;align-items:center;justify-content:center;box-sizing:border-box;width:100%;height:100%}.mdc-dialog{display:none;z-index:7}.mdc-dialog .mdc-dialog__surface{background-color:#fff;background-color:var(--mdc-theme-surface, #fff)}.mdc-dialog .mdc-dialog__scrim{background-color:rgba(0,0,0,.32)}.mdc-dialog .mdc-dialog__title{color:rgba(0,0,0,.87)}.mdc-dialog .mdc-dialog__content{color:rgba(0,0,0,.6)}.mdc-dialog.mdc-dialog--scrollable .mdc-dialog__title,.mdc-dialog.mdc-dialog--scrollable .mdc-dialog__actions{border-color:rgba(0,0,0,.12)}.mdc-dialog .mdc-dialog__content{padding:20px 24px 20px 24px}.mdc-dialog .mdc-dialog__surface{min-width:280px}@media(max-width: 592px){.mdc-dialog .mdc-dialog__surface{max-width:calc(100vw - 32px)}}@media(min-width: 592px){.mdc-dialog .mdc-dialog__surface{max-width:560px}}.mdc-dialog .mdc-dialog__surface{max-height:calc(100% - 32px)}.mdc-dialog .mdc-dialog__surface{border-radius:4px;border-radius:var(--mdc-shape-medium, 4px)}.mdc-dialog__scrim{opacity:0;z-index:-1}.mdc-dialog__container{display:flex;flex-direction:row;align-items:center;justify-content:space-around;box-sizing:border-box;height:100%;transform:scale(0.8);opacity:0;pointer-events:none}.mdc-dialog__surface{position:relative;box-shadow:0px 11px 15px -7px rgba(0, 0, 0, 0.2),0px 24px 38px 3px rgba(0, 0, 0, 0.14),0px 9px 46px 8px rgba(0,0,0,.12);display:flex;flex-direction:column;flex-grow:0;flex-shrink:0;box-sizing:border-box;max-width:100%;max-height:100%;pointer-events:auto;overflow-y:auto}.mdc-dialog__surface .mdc-elevation-overlay{width:100%;height:100%;top:0;left:0}.mdc-dialog[dir=rtl] .mdc-dialog__surface,[dir=rtl] .mdc-dialog .mdc-dialog__surface{text-align:right}.mdc-dialog__title{display:block;margin-top:0;line-height:normal;-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;font-family:Roboto, sans-serif;font-family:var(--mdc-typography-headline6-font-family, var(--mdc-typography-font-family, Roboto, sans-serif));font-size:1.25rem;font-size:var(--mdc-typography-headline6-font-size, 1.25rem);line-height:2rem;line-height:var(--mdc-typography-headline6-line-height, 2rem);font-weight:500;font-weight:var(--mdc-typography-headline6-font-weight, 500);letter-spacing:0.0125em;letter-spacing:var(--mdc-typography-headline6-letter-spacing, 0.0125em);text-decoration:inherit;text-decoration:var(--mdc-typography-headline6-text-decoration, inherit);text-transform:inherit;text-transform:var(--mdc-typography-headline6-text-transform, inherit);position:relative;flex-shrink:0;box-sizing:border-box;margin:0;padding:0 24px 9px;border-bottom:1px solid transparent}.mdc-dialog__title::before{display:inline-block;width:0;height:40px;content:"";vertical-align:0}.mdc-dialog[dir=rtl] .mdc-dialog__title,[dir=rtl] .mdc-dialog .mdc-dialog__title{text-align:right}.mdc-dialog--scrollable .mdc-dialog__title{padding-bottom:15px}.mdc-dialog__content{-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;font-family:Roboto, sans-serif;font-family:var(--mdc-typography-body1-font-family, var(--mdc-typography-font-family, Roboto, sans-serif));font-size:1rem;font-size:var(--mdc-typography-body1-font-size, 1rem);line-height:1.5rem;line-height:var(--mdc-typography-body1-line-height, 1.5rem);font-weight:400;font-weight:var(--mdc-typography-body1-font-weight, 400);letter-spacing:0.03125em;letter-spacing:var(--mdc-typography-body1-letter-spacing, 0.03125em);text-decoration:inherit;text-decoration:var(--mdc-typography-body1-text-decoration, inherit);text-transform:inherit;text-transform:var(--mdc-typography-body1-text-transform, inherit);flex-grow:1;box-sizing:border-box;margin:0;overflow:auto;-webkit-overflow-scrolling:touch}.mdc-dialog__content>:first-child{margin-top:0}.mdc-dialog__content>:last-child{margin-bottom:0}.mdc-dialog__title+.mdc-dialog__content{padding-top:0}.mdc-dialog--scrollable .mdc-dialog__title+.mdc-dialog__content{padding-top:8px;padding-bottom:8px}.mdc-dialog__content .mdc-list:first-child:last-child{padding:6px 0 0}.mdc-dialog--scrollable .mdc-dialog__content .mdc-list:first-child:last-child{padding:0}.mdc-dialog__actions{display:flex;position:relative;flex-shrink:0;flex-wrap:wrap;align-items:center;justify-content:flex-end;box-sizing:border-box;min-height:52px;margin:0;padding:8px;border-top:1px solid transparent}.mdc-dialog--stacked .mdc-dialog__actions{flex-direction:column;align-items:flex-end}.mdc-dialog__button{margin-left:8px;margin-right:0;max-width:100%;text-align:right}[dir=rtl] .mdc-dialog__button,.mdc-dialog__button[dir=rtl]{margin-left:0;margin-right:8px}.mdc-dialog__button:first-child{margin-left:0;margin-right:0}[dir=rtl] .mdc-dialog__button:first-child,.mdc-dialog__button:first-child[dir=rtl]{margin-left:0;margin-right:0}.mdc-dialog[dir=rtl] .mdc-dialog__button,[dir=rtl] .mdc-dialog .mdc-dialog__button{text-align:left}.mdc-dialog--stacked .mdc-dialog__button:not(:first-child){margin-top:12px}.mdc-dialog--open,.mdc-dialog--opening,.mdc-dialog--closing{display:flex}.mdc-dialog--opening .mdc-dialog__scrim{transition:opacity 150ms linear}.mdc-dialog--opening .mdc-dialog__container{transition:opacity 75ms linear,transform 150ms 0ms cubic-bezier(0, 0, 0.2, 1)}.mdc-dialog--closing .mdc-dialog__scrim,.mdc-dialog--closing .mdc-dialog__container{transition:opacity 75ms linear}.mdc-dialog--closing .mdc-dialog__container{transform:none}.mdc-dialog--open .mdc-dialog__scrim{opacity:1}.mdc-dialog--open .mdc-dialog__container{transform:none;opacity:1}.mdc-dialog-scroll-lock{overflow:hidden}#actions:not(.mdc-dialog__actions){display:none}.mdc-dialog__surface{box-shadow:var(--mdc-dialog-box-shadow, 0px 11px 15px -7px rgba(0, 0, 0, 0.2), 0px 24px 38px 3px rgba(0, 0, 0, 0.14), 0px 9px 46px 8px rgba(0, 0, 0, 0.12))}@media(min-width: 560px){.mdc-dialog .mdc-dialog__surface{max-width:560px;max-width:var(--mdc-dialog-max-width, 560px)}}.mdc-dialog .mdc-dialog__scrim{background-color:rgba(0, 0, 0, 0.32);background-color:var(--mdc-dialog-scrim-color, rgba(0, 0, 0, 0.32))}.mdc-dialog .mdc-dialog__title{color:rgba(0, 0, 0, 0.87);color:var(--mdc-dialog-heading-ink-color, rgba(0, 0, 0, 0.87))}.mdc-dialog .mdc-dialog__content{color:rgba(0, 0, 0, 0.6);color:var(--mdc-dialog-content-ink-color, rgba(0, 0, 0, 0.6))}.mdc-dialog.mdc-dialog--scrollable .mdc-dialog__title,.mdc-dialog.mdc-dialog--scrollable .mdc-dialog__actions{border-color:rgba(0, 0, 0, 0.12);border-color:var(--mdc-dialog-scroll-divider-color, rgba(0, 0, 0, 0.12))}.mdc-dialog .mdc-dialog__surface{min-width:280px;min-width:var(--mdc-dialog-min-width, 280px)}.mdc-dialog .mdc-dialog__surface{max-height:var(--mdc-dialog-max-height, calc(100% - 32px))}#actions ::slotted(*){margin-left:8px;margin-right:0;max-width:100%;text-align:right}[dir=rtl] #actions ::slotted(*),#actions ::slotted(*)[dir=rtl]{margin-left:0;margin-right:8px}.mdc-dialog[dir=rtl] #actions ::slotted(*),[dir=rtl] .mdc-dialog #actions ::slotted(*){text-align:left}.mdc-dialog--stacked #actions{flex-direction:column-reverse}.mdc-dialog--stacked #actions *:not(:last-child) ::slotted(*){flex-basis:1e-9px;margin-top:12px}']);return P=function(){return e},e}Object(r.b)([Object(i.i)(".mdc-dialog")],A.prototype,"mdcRoot",void 0),Object(r.b)([Object(i.i)('slot[name="primaryAction"]')],A.prototype,"primarySlot",void 0),Object(r.b)([Object(i.i)('slot[name="secondaryAction"]')],A.prototype,"secondarySlot",void 0),Object(r.b)([Object(i.i)("#contentSlot")],A.prototype,"contentSlot",void 0),Object(r.b)([Object(i.i)(".mdc-dialog__content")],A.prototype,"contentElement",void 0),Object(r.b)([Object(i.i)(".mdc-container")],A.prototype,"conatinerElement",void 0),Object(r.b)([Object(i.h)({type:Boolean})],A.prototype,"hideActions",void 0),Object(r.b)([Object(i.h)({type:Boolean}),Object(f.a)((function(){this.forceLayout()}))],A.prototype,"stacked",void 0),Object(r.b)([Object(i.h)({type:String})],A.prototype,"heading",void 0),Object(r.b)([Object(i.h)({type:String}),Object(f.a)((function(e){this.mdcFoundation.setScrimClickAction(e)}))],A.prototype,"scrimClickAction",void 0),Object(r.b)([Object(i.h)({type:String}),Object(f.a)((function(e){this.mdcFoundation.setEscapeKeyAction(e)}))],A.prototype,"escapeKeyAction",void 0),Object(r.b)([Object(i.h)({type:Boolean,reflect:!0}),Object(f.a)((function(e){this.mdcFoundation&&this.isConnected&&(e?(this.setEventListeners(),this.mdcFoundation.open()):(this.removeEventListeners(),this.mdcFoundation.close(this.currentAction||this.defaultAction),this.currentAction=void 0))}))],A.prototype,"open",void 0),Object(r.b)([Object(i.h)()],A.prototype,"defaultAction",void 0),Object(r.b)([Object(i.h)()],A.prototype,"actionAttribute",void 0),Object(r.b)([Object(i.h)()],A.prototype,"initialFocusAttribute",void 0);var T=Object(i.c)(P());function R(e){return(R="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function I(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function D(e,t){return(D=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function z(e,t){return!t||"object"!==R(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function F(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function L(e){return(L=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var N=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&D(e,t)}(r,e);var t,n=(t=r,function(){var e,n=L(t);if(F()){var r=L(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return z(this,e)});function r(){return I(this,r),n.apply(this,arguments)}return r}(A);N.styles=T,N=Object(r.b)([Object(i.d)("mwc-dialog")],N);n(108);var M=n(9),B=n(90);function H(e){return(H="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function V(){var e=oe(['\n .mdc-dialog {\n --mdc-dialog-scroll-divider-color: var(--divider-color);\n z-index: var(--dialog-z-index, 7);\n }\n .mdc-dialog__actions {\n justify-content: var(--justify-action-buttons, flex-end);\n padding-bottom: max(env(safe-area-inset-bottom), 8px);\n }\n .mdc-dialog__container {\n align-items: var(--vertial-align-dialog, center);\n }\n .mdc-dialog__title::before {\n display: block;\n height: 20px;\n }\n .mdc-dialog .mdc-dialog__content {\n position: var(--dialog-content-position, relative);\n padding: var(--dialog-content-padding, 20px 24px);\n }\n :host([hideactions]) .mdc-dialog .mdc-dialog__content {\n padding-bottom: max(\n var(--dialog-content-padding, 20px),\n env(safe-area-inset-bottom)\n );\n }\n .mdc-dialog .mdc-dialog__surface {\n position: var(--dialog-surface-position, relative);\n min-height: var(--mdc-dialog-min-height, auto);\n }\n .header_button {\n position: absolute;\n right: 16px;\n top: 10px;\n text-decoration: none;\n color: inherit;\n }\n [dir="rtl"].header_button {\n right: auto;\n left: 16px;\n }\n ']);return V=function(){return e},e}function U(){var e=oe(['\n ',"\n "]);return U=function(){return e},e}function K(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function $(e,t){return($=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Y(e,t){return!t||"object"!==H(t)&&"function"!=typeof t?q(e):t}function q(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function W(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function G(e){var t,n=ee(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function X(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Z(e){return e.decorators&&e.decorators.length}function J(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Q(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function ee(e){var t=function(e,t){if("object"!==H(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==H(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===H(t)?t:String(t)}function te(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n\n
\n
\n ','\n
\n \n
\n
\n ']);return p=function(){return e},e}function h(){var e=v([""]);return h=function(){return e},e}function m(){var e=v(['\n \n ']);return m=function(){return e},e}function y(){var e=v(["",""]);return y=function(){return e},e}function v(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function b(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function g(e,t){for(var n=0;ne.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n paper-item-body {\n padding-right: 16px;\n }\n \n \n
\n \n \n ']);return a=function(){return e},e}function s(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function c(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function l(e,t){return(l=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function u(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?d(e):t}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function f(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e){var t,n=g(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function m(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function y(e){return e.decorators&&e.decorators.length}function v(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function b(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function g(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n \n",document.head.appendChild(r.content);var i=n(4),o=n(5),a=n(56),s=n(28),c=[a.a,s.a,{hostAttributes:{role:"option",tabindex:"0"}}];function l(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n \n']);return l=function(){return e},e}Object(i.a)({_template:Object(o.a)(l()),is:"paper-item",behaviors:[c]})},,function(e,t){},function(e,t,n){"use strict";n(3);var r=n(5);function i(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n\n \n']);return i=function(){return e},e}var o=Object(r.a)(i());o.setAttribute("style","display: none;"),document.head.appendChild(o.content)},function(e,t,n){"use strict";n(54);var r=n(0);n(95);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(){var e=s(["\n :host {\n display: inline-block;\n outline: none;\n }\n :host([disabled]) {\n pointer-events: none;\n }\n mwc-icon-button {\n --mdc-theme-on-primary: currentColor;\n --mdc-theme-text-disabled-on-light: var(--disabled-text-color);\n }\n ha-icon {\n --ha-icon-display: inline;\n }\n "]);return o=function(){return e},e}function a(){var e=s(["\n \n \n \n "]);return a=function(){return e},e}function s(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function c(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function l(e,t){return(l=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function u(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?d(e):t}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function f(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e){var t,n=g(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function m(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function y(e){return e.decorators&&e.decorators.length}function v(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function b(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function g(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n :host {\n @apply --layout-inline;\n @apply --layout-center-center;\n position: relative;\n\n vertical-align: middle;\n\n fill: var(--iron-icon-fill-color, currentcolor);\n stroke: var(--iron-icon-stroke-color, none);\n\n width: var(--iron-icon-width, 24px);\n height: var(--iron-icon-height, 24px);\n @apply --iron-icon;\n }\n\n :host([hidden]) {\n display: none;\n }\n \n"]);return s=function(){return e},e}Object(r.a)({_template:Object(o.a)(s()),is:"iron-icon",properties:{icon:{type:String},theme:{type:String},src:{type:String},_meta:{value:a.a.create("iron-meta",{type:"iconset"})}},observers:["_updateIcon(_meta, isAttached)","_updateIcon(theme, isAttached)","_srcChanged(src, isAttached)","_iconChanged(icon, isAttached)"],_DEFAULT_ICONSET:"icons",_iconChanged:function(e){var t=(e||"").split(":");this._iconName=t.pop(),this._iconsetName=t.pop()||this._DEFAULT_ICONSET,this._updateIcon()},_srcChanged:function(e){this._updateIcon()},_usesIconset:function(){return this.icon||!this.src},_updateIcon:function(){this._usesIconset()?(this._img&&this._img.parentNode&&Object(i.a)(this.root).removeChild(this._img),""===this._iconName?this._iconset&&this._iconset.removeIcon(this):this._iconsetName&&this._meta&&(this._iconset=this._meta.byKey(this._iconsetName),this._iconset?(this._iconset.applyIcon(this,this._iconName,this.theme),this.unlisten(window,"iron-iconset-added","_updateIcon")):this.listen(window,"iron-iconset-added","_updateIcon"))):(this._iconset&&this._iconset.removeIcon(this),this._img||(this._img=document.createElement("img"),this._img.style.width="100%",this._img.style.height="100%",this._img.draggable=!1),this._img.src=this.src,Object(i.a)(this.root).appendChild(this._img))}})},function(e,t,n){"use strict";n(3),n(53),n(36),n(63);var r=n(4),i=n(5);function o(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \n\n \n"]);return o=function(){return e},e}Object(r.a)({_template:Object(i.a)(o()),is:"paper-item-body"})},function(e,t,n){"use strict";n(3);var r=n(25),i=n(4),o=n(2),a=n(5);function s(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n\n
\n
\n']);return s=function(){return e},e}var c={distance:function(e,t,n,r){var i=e-n,o=t-r;return Math.sqrt(i*i+o*o)},now:window.performance&&window.performance.now?window.performance.now.bind(window.performance):Date.now};function l(e){this.element=e,this.width=this.boundingRect.width,this.height=this.boundingRect.height,this.size=Math.max(this.width,this.height)}function u(e){this.element=e,this.color=window.getComputedStyle(e).color,this.wave=document.createElement("div"),this.waveContainer=document.createElement("div"),this.wave.style.backgroundColor=this.color,this.wave.classList.add("wave"),this.waveContainer.classList.add("wave-container"),Object(o.a)(this.waveContainer).appendChild(this.wave),this.resetInteractionState()}l.prototype={get boundingRect(){return this.element.getBoundingClientRect()},furthestCornerDistanceFrom:function(e,t){var n=c.distance(e,t,0,0),r=c.distance(e,t,this.width,0),i=c.distance(e,t,0,this.height),o=c.distance(e,t,this.width,this.height);return Math.max(n,r,i,o)}},u.MAX_RADIUS=300,u.prototype={get recenters(){return this.element.recenters},get center(){return this.element.center},get mouseDownElapsed(){var e;return this.mouseDownStart?(e=c.now()-this.mouseDownStart,this.mouseUpStart&&(e-=this.mouseUpElapsed),e):0},get mouseUpElapsed(){return this.mouseUpStart?c.now()-this.mouseUpStart:0},get mouseDownElapsedSeconds(){return this.mouseDownElapsed/1e3},get mouseUpElapsedSeconds(){return this.mouseUpElapsed/1e3},get mouseInteractionSeconds(){return this.mouseDownElapsedSeconds+this.mouseUpElapsedSeconds},get initialOpacity(){return this.element.initialOpacity},get opacityDecayVelocity(){return this.element.opacityDecayVelocity},get radius(){var e=this.containerMetrics.width*this.containerMetrics.width,t=this.containerMetrics.height*this.containerMetrics.height,n=1.1*Math.min(Math.sqrt(e+t),u.MAX_RADIUS)+5,r=1.1-n/u.MAX_RADIUS*.2,i=this.mouseInteractionSeconds/r,o=n*(1-Math.pow(80,-i));return Math.abs(o)},get opacity(){return this.mouseUpStart?Math.max(0,this.initialOpacity-this.mouseUpElapsedSeconds*this.opacityDecayVelocity):this.initialOpacity},get outerOpacity(){var e=.3*this.mouseUpElapsedSeconds,t=this.opacity;return Math.max(0,Math.min(e,t))},get isOpacityFullyDecayed(){return this.opacity<.01&&this.radius>=Math.min(this.maxRadius,u.MAX_RADIUS)},get isRestingAtMaxRadius(){return this.opacity>=this.initialOpacity&&this.radius>=Math.min(this.maxRadius,u.MAX_RADIUS)},get isAnimationComplete(){return this.mouseUpStart?this.isOpacityFullyDecayed:this.isRestingAtMaxRadius},get translationFraction(){return Math.min(1,this.radius/this.containerMetrics.size*2/Math.sqrt(2))},get xNow(){return this.xEnd?this.xStart+this.translationFraction*(this.xEnd-this.xStart):this.xStart},get yNow(){return this.yEnd?this.yStart+this.translationFraction*(this.yEnd-this.yStart):this.yStart},get isMouseDown(){return this.mouseDownStart&&!this.mouseUpStart},resetInteractionState:function(){this.maxRadius=0,this.mouseDownStart=0,this.mouseUpStart=0,this.xStart=0,this.yStart=0,this.xEnd=0,this.yEnd=0,this.slideDistance=0,this.containerMetrics=new l(this.element)},draw:function(){var e,t,n;this.wave.style.opacity=this.opacity,e=this.radius/(this.containerMetrics.size/2),t=this.xNow-this.containerMetrics.width/2,n=this.yNow-this.containerMetrics.height/2,this.waveContainer.style.webkitTransform="translate("+t+"px, "+n+"px)",this.waveContainer.style.transform="translate3d("+t+"px, "+n+"px, 0)",this.wave.style.webkitTransform="scale("+e+","+e+")",this.wave.style.transform="scale3d("+e+","+e+",1)"},downAction:function(e){var t=this.containerMetrics.width/2,n=this.containerMetrics.height/2;this.resetInteractionState(),this.mouseDownStart=c.now(),this.center?(this.xStart=t,this.yStart=n,this.slideDistance=c.distance(this.xStart,this.yStart,this.xEnd,this.yEnd)):(this.xStart=e?e.detail.x-this.containerMetrics.boundingRect.left:this.containerMetrics.width/2,this.yStart=e?e.detail.y-this.containerMetrics.boundingRect.top:this.containerMetrics.height/2),this.recenters&&(this.xEnd=t,this.yEnd=n,this.slideDistance=c.distance(this.xStart,this.yStart,this.xEnd,this.yEnd)),this.maxRadius=this.containerMetrics.furthestCornerDistanceFrom(this.xStart,this.yStart),this.waveContainer.style.top=(this.containerMetrics.height-this.containerMetrics.size)/2+"px",this.waveContainer.style.left=(this.containerMetrics.width-this.containerMetrics.size)/2+"px",this.waveContainer.style.width=this.containerMetrics.size+"px",this.waveContainer.style.height=this.containerMetrics.size+"px"},upAction:function(e){this.isMouseDown&&(this.mouseUpStart=c.now())},remove:function(){Object(o.a)(this.waveContainer.parentNode).removeChild(this.waveContainer)}},Object(i.a)({_template:Object(a.a)(s()),is:"paper-ripple",behaviors:[r.a],properties:{initialOpacity:{type:Number,value:.25},opacityDecayVelocity:{type:Number,value:.8},recenters:{type:Boolean,value:!1},center:{type:Boolean,value:!1},ripples:{type:Array,value:function(){return[]}},animating:{type:Boolean,readOnly:!0,reflectToAttribute:!0,value:!1},holdDown:{type:Boolean,value:!1,observer:"_holdDownChanged"},noink:{type:Boolean,value:!1},_animating:{type:Boolean},_boundAnimate:{type:Function,value:function(){return this.animate.bind(this)}}},get target(){return this.keyEventTarget},keyBindings:{"enter:keydown":"_onEnterKeydown","space:keydown":"_onSpaceKeydown","space:keyup":"_onSpaceKeyup"},attached:function(){11==this.parentNode.nodeType?this.keyEventTarget=Object(o.a)(this).getOwnerRoot().host:this.keyEventTarget=this.parentNode;var e=this.keyEventTarget;this.listen(e,"up","uiUpAction"),this.listen(e,"down","uiDownAction")},detached:function(){this.unlisten(this.keyEventTarget,"up","uiUpAction"),this.unlisten(this.keyEventTarget,"down","uiDownAction"),this.keyEventTarget=null},get shouldKeepAnimating(){for(var e=0;e0||(this.addRipple().downAction(e),this._animating||(this._animating=!0,this.animate()))},uiUpAction:function(e){this.noink||this.upAction(e)},upAction:function(e){this.holdDown||(this.ripples.forEach((function(t){t.upAction(e)})),this._animating=!0,this.animate())},onAnimationComplete:function(){this._animating=!1,this.$.background.style.backgroundColor=null,this.fire("transitionend")},addRipple:function(){var e=new u(this);return Object(o.a)(this.$.waves).appendChild(e.waveContainer),this.$.background.style.backgroundColor=e.color,this.ripples.push(e),this._setAnimating(!0),e},removeRipple:function(e){var t=this.ripples.indexOf(e);t<0||(this.ripples.splice(t,1),e.remove(),this.ripples.length||this._setAnimating(!1))},animate:function(){if(this._animating){var e,t;for(e=0;e\n \n\n
','
\n \n \n
e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ']);return s=function(){return e},e}function c(e,t){for(var n=0;n\n :host {\n outline: none;\n }\n .container {\n position: relative;\n display: inline-block;\n }\n\n mwc-button {\n transition: all 1s;\n }\n\n .success mwc-button {\n --mdc-theme-primary: white;\n background-color: var(--success-color);\n transition: none;\n }\n\n .error mwc-button {\n --mdc-theme-primary: white;\n background-color: var(--error-color);\n transition: none;\n }\n\n .progress {\n @apply --layout;\n @apply --layout-center-center;\n position: absolute;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n }\n \n
\n \n \n \n \n
\n ']);return o=function(){return e},e}function a(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function s(e,t){for(var n=0;n\n :host {\n display: block;\n padding: 8px 0;\n\n background: var(--paper-listbox-background-color, var(--primary-background-color));\n color: var(--paper-listbox-color, var(--primary-text-color));\n\n @apply --paper-listbox;\n }\n \n\n \n"]);return a=function(){return e},e}Object(i.a)({_template:Object(o.a)(a()),is:"paper-listbox",behaviors:[r.a],hostAttributes:{role:"listbox"}})},function(e,t,n){"use strict";var r=n(0);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(){var e=s(["\n pre {\n overflow-x: auto;\n white-space: pre-wrap;\n overflow-wrap: break-word;\n }\n .bold {\n font-weight: bold;\n }\n .italic {\n font-style: italic;\n }\n .underline {\n text-decoration: underline;\n }\n .strikethrough {\n text-decoration: line-through;\n }\n .underline.strikethrough {\n text-decoration: underline line-through;\n }\n .fg-red {\n color: rgb(222, 56, 43);\n }\n .fg-green {\n color: rgb(57, 181, 74);\n }\n .fg-yellow {\n color: rgb(255, 199, 6);\n }\n .fg-blue {\n color: rgb(0, 111, 184);\n }\n .fg-magenta {\n color: rgb(118, 38, 113);\n }\n .fg-cyan {\n color: rgb(44, 181, 233);\n }\n .fg-white {\n color: rgb(204, 204, 204);\n }\n .bg-black {\n background-color: rgb(0, 0, 0);\n }\n .bg-red {\n background-color: rgb(222, 56, 43);\n }\n .bg-green {\n background-color: rgb(57, 181, 74);\n }\n .bg-yellow {\n background-color: rgb(255, 199, 6);\n }\n .bg-blue {\n background-color: rgb(0, 111, 184);\n }\n .bg-magenta {\n background-color: rgb(118, 38, 113);\n }\n .bg-cyan {\n background-color: rgb(44, 181, 233);\n }\n .bg-white {\n background-color: rgb(204, 204, 204);\n }\n "]);return o=function(){return e},e}function a(){var e=s(["",""]);return a=function(){return e},e}function s(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function c(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function l(e,t){return(l=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function u(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?d(e):t}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function f(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e){var t,n=g(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function m(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function y(e){return e.decorators&&e.decorators.length}function v(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function b(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function g(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a-1&&(this._interestedResizables.splice(t,1),this._unsubscribeIronResize(e))},_subscribeIronResize:function(e){e.addEventListener("iron-resize",this._boundOnDescendantIronResize)},_unsubscribeIronResize:function(e){e.removeEventListener("iron-resize",this._boundOnDescendantIronResize)},resizerShouldNotify:function(e){return!0},_onDescendantIronResize:function(e){this._notifyingDescendant?e.stopPropagation():s.f||this._fireResize()},_fireResize:function(){this.fire("iron-resize",null,{node:this,bubbles:!1})},_onIronRequestResizeNotifications:function(e){var t=Object(o.a)(e).rootTarget;t!==this&&(t.assignParentResizable(this),this._notifyDescendant(t),e.stopPropagation())},_parentResizableChanged:function(e){e&&window.removeEventListener("resize",this._boundNotifyResize)},_notifyDescendant:function(e){this.isAttached&&(this._notifyingDescendant=!0,e.notifyResize(),this._notifyingDescendant=!1)},_requestResizeNotifications:function(){if(this.isAttached)if("loading"===document.readyState){var e=this._requestResizeNotifications.bind(this);document.addEventListener("readystatechange",(function t(){document.removeEventListener("readystatechange",t),e()}))}else this._findParent(),this._parentResizable?this._parentResizable._interestedResizables.forEach((function(e){e!==this&&e._findParent()}),this):(c.forEach((function(e){e!==this&&e._findParent()}),this),window.addEventListener("resize",this._boundNotifyResize),this.notifyResize())},_findParent:function(){this.assignParentResizable(null),this.fire("iron-request-resize-notifications",null,{node:this,bubbles:!0,cancelable:!0}),this._parentResizable?c.delete(this):c.add(this)}},u=Element.prototype,d=u.matches||u.matchesSelector||u.mozMatchesSelector||u.msMatchesSelector||u.oMatchesSelector||u.webkitMatchesSelector,f={getTabbableNodes:function(e){var t=[];return this._collectTabbableNodes(e,t)?this._sortByTabIndex(t):t},isFocusable:function(e){return d.call(e,"input, select, textarea, button, object")?d.call(e,":not([disabled])"):d.call(e,"a[href], area[href], iframe, [tabindex], [contentEditable]")},isTabbable:function(e){return this.isFocusable(e)&&d.call(e,':not([tabindex="-1"])')&&this._isVisible(e)},_normalizedTabIndex:function(e){if(this.isFocusable(e)){var t=e.getAttribute("tabindex")||0;return Number(t)}return-1},_collectTabbableNodes:function(e,t){if(e.nodeType!==Node.ELEMENT_NODE||!this._isVisible(e))return!1;var n,r=e,i=this._normalizedTabIndex(r),a=i>0;i>=0&&t.push(r),n="content"===r.localName||"slot"===r.localName?Object(o.a)(r).getDistributedNodes():Object(o.a)(r.root||r).children;for(var s=0;s0&&t.length>0;)this._hasLowerTabOrder(e[0],t[0])?n.push(t.shift()):n.push(e.shift());return n.concat(e,t)},_hasLowerTabOrder:function(e,t){var n=Math.max(e.tabIndex,0),r=Math.max(t.tabIndex,0);return 0===n||0===r?r>n:n>r}},p=n(4),h=n(5);function m(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \n\n \n"]);return m=function(){return e},e}Object(p.a)({_template:Object(h.a)(m()),is:"iron-overlay-backdrop",properties:{opened:{reflectToAttribute:!0,type:Boolean,value:!1,observer:"_openedChanged"}},listeners:{transitionend:"_onTransitionend"},created:function(){this.__openedRaf=null},attached:function(){this.opened&&this._openedChanged(this.opened)},prepare:function(){this.opened&&!this.parentNode&&Object(o.a)(document.body).appendChild(this)},open:function(){this.opened=!0},close:function(){this.opened=!1},complete:function(){this.opened||this.parentNode!==document.body||Object(o.a)(this.parentNode).removeChild(this)},_onTransitionend:function(e){e&&e.target===this&&this.complete()},_openedChanged:function(e){if(e)this.prepare();else{var t=window.getComputedStyle(this);"0s"!==t.transitionDuration&&0!=t.opacity||this.complete()}this.isAttached&&(this.__openedRaf&&(window.cancelAnimationFrame(this.__openedRaf),this.__openedRaf=null),this.scrollTop=this.scrollTop,this.__openedRaf=window.requestAnimationFrame(function(){this.__openedRaf=null,this.toggleClass("opened",this.opened)}.bind(this)))}});var y=n(51),v=function(){this._overlays=[],this._minimumZ=101,this._backdropElement=null,y.a(document.documentElement,"tap",(function(){})),document.addEventListener("tap",this._onCaptureClick.bind(this),!0),document.addEventListener("focus",this._onCaptureFocus.bind(this),!0),document.addEventListener("keydown",this._onCaptureKeyDown.bind(this),!0)};v.prototype={constructor:v,get backdropElement(){return this._backdropElement||(this._backdropElement=document.createElement("iron-overlay-backdrop")),this._backdropElement},get deepActiveElement(){var e=document.activeElement;for(e&&e instanceof Element!=!1||(e=document.body);e.root&&Object(o.a)(e.root).activeElement;)e=Object(o.a)(e.root).activeElement;return e},_bringOverlayAtIndexToFront:function(e){var t=this._overlays[e];if(t){var n=this._overlays.length-1,r=this._overlays[n];if(r&&this._shouldBeBehindOverlay(t,r)&&n--,!(e>=n)){var i=Math.max(this.currentOverlayZ(),this._minimumZ);for(this._getZ(t)<=i&&this._applyOverlayZ(t,i);e=0)return this._bringOverlayAtIndexToFront(t),void this.trackBackdrop();var n=this._overlays.length,r=this._overlays[n-1],i=Math.max(this._getZ(r),this._minimumZ),o=this._getZ(e);if(r&&this._shouldBeBehindOverlay(e,r)){this._applyOverlayZ(r,i),n--;var a=this._overlays[n-1];i=Math.max(this._getZ(a),this._minimumZ)}o<=i&&this._applyOverlayZ(e,i),this._overlays.splice(n,0,e),this.trackBackdrop()},removeOverlay:function(e){var t=this._overlays.indexOf(e);-1!==t&&(this._overlays.splice(t,1),this.trackBackdrop())},currentOverlay:function(){var e=this._overlays.length-1;return this._overlays[e]},currentOverlayZ:function(){return this._getZ(this.currentOverlay())},ensureMinimumZ:function(e){this._minimumZ=Math.max(this._minimumZ,e)},focusOverlay:function(){var e=this.currentOverlay();e&&e._applyFocus()},trackBackdrop:function(){var e=this._overlayWithBackdrop();(e||this._backdropElement)&&(this.backdropElement.style.zIndex=this._getZ(e)-1,this.backdropElement.opened=!!e,this.backdropElement.prepare())},getBackdrops:function(){for(var e=[],t=0;t=0;e--)if(this._overlays[e].withBackdrop)return this._overlays[e]},_getZ:function(e){var t=this._minimumZ;if(e){var n=Number(e.style.zIndex||window.getComputedStyle(e).zIndex);n==n&&(t=n)}return t},_setZ:function(e,t){e.style.zIndex=t},_applyOverlayZ:function(e,t){this._setZ(e,t+2)},_overlayInPath:function(e){e=e||[];for(var t=0;t=0||(0===j.length&&function(){b=b||C.bind(void 0);for(var e=0,t=x.length;e=Math.abs(t),i=0;i0:o.scrollTop0:o.scrollLeft=0))switch(this.scrollAction){case"lock":this.__restoreScrollPosition();break;case"refit":this.__deraf("refit",this.refit);break;case"cancel":this.cancel(e)}},__saveScrollPosition:function(){document.scrollingElement?(this.__scrollTop=document.scrollingElement.scrollTop,this.__scrollLeft=document.scrollingElement.scrollLeft):(this.__scrollTop=Math.max(document.documentElement.scrollTop,document.body.scrollTop),this.__scrollLeft=Math.max(document.documentElement.scrollLeft,document.body.scrollLeft))},__restoreScrollPosition:function(){document.scrollingElement?(document.scrollingElement.scrollTop=this.__scrollTop,document.scrollingElement.scrollLeft=this.__scrollLeft):(document.documentElement.scrollTop=document.body.scrollTop=this.__scrollTop,document.documentElement.scrollLeft=document.body.scrollLeft=this.__scrollLeft)}},P=[a,l,A],T=[{properties:{animationConfig:{type:Object},entryAnimation:{observer:"_entryAnimationChanged",type:String},exitAnimation:{observer:"_exitAnimationChanged",type:String}},_entryAnimationChanged:function(){this.animationConfig=this.animationConfig||{},this.animationConfig.entry=[{name:this.entryAnimation,node:this}]},_exitAnimationChanged:function(){this.animationConfig=this.animationConfig||{},this.animationConfig.exit=[{name:this.exitAnimation,node:this}]},_copyProperties:function(e,t){for(var n in t)e[n]=t[n]},_cloneConfig:function(e){var t={isClone:!0};return this._copyProperties(t,e),t},_getAnimationConfigRecursive:function(e,t,n){var r;if(this.animationConfig)if(this.animationConfig.value&&"function"==typeof this.animationConfig.value)this._warn(this._logf("playAnimation","Please put 'animationConfig' inside of your components 'properties' object instead of outside of it."));else if(r=e?this.animationConfig[e]:this.animationConfig,Array.isArray(r)||(r=[r]),r)for(var i,o=0;i=r[o];o++)if(i.animatable)i.animatable._getAnimationConfigRecursive(i.type||e,t,n);else if(i.id){var a=t[i.id];a?(a.isClone||(t[i.id]=this._cloneConfig(a),a=t[i.id]),this._copyProperties(a,i)):t[i.id]=i}else n.push(i)},getAnimationConfig:function(e){var t={},n=[];for(var r in this._getAnimationConfigRecursive(e,t,n),t)n.push(t[r]);return n}},{_configureAnimations:function(e){var t=[],n=[];if(e.length>0)for(var r,i=0;r=e[i];i++){var o=document.createElement(r.name);if(o.isNeonAnimation){var a;o.configure||(o.configure=function(e){return null}),a=o.configure(r),n.push({result:a,config:r,neonAnimation:o})}else console.warn(this.is+":",r.name,"not found!")}for(var s=0;s\n :host {\n position: fixed;\n }\n\n #contentWrapper ::slotted(*) {\n overflow: auto;\n }\n\n #contentWrapper.animating ::slotted(*) {\n overflow: hidden;\n pointer-events: none;\n }\n \n\n
\n \n
\n']);return R=function(){return e},e}Object(p.a)({_template:Object(h.a)(R()),is:"iron-dropdown",behaviors:[i.a,r.a,P,T],properties:{horizontalAlign:{type:String,value:"left",reflectToAttribute:!0},verticalAlign:{type:String,value:"top",reflectToAttribute:!0},openAnimationConfig:{type:Object},closeAnimationConfig:{type:Object},focusTarget:{type:Object},noAnimations:{type:Boolean,value:!1},allowOutsideScroll:{type:Boolean,value:!1,observer:"_allowOutsideScrollChanged"}},listeners:{"neon-animation-finish":"_onNeonAnimationFinish"},observers:["_updateOverlayPosition(positionTarget, verticalAlign, horizontalAlign, verticalOffset, horizontalOffset)"],get containedElement(){for(var e=Object(o.a)(this.$.content).getDistributedNodes(),t=0,n=e.length;t\n :host {\n display: inline-block;\n position: relative;\n padding: 8px;\n outline: none;\n\n @apply --paper-menu-button;\n }\n\n :host([disabled]) {\n cursor: auto;\n color: var(--disabled-text-color);\n\n @apply --paper-menu-button-disabled;\n }\n\n iron-dropdown {\n @apply --paper-menu-button-dropdown;\n }\n\n .dropdown-content {\n @apply --shadow-elevation-2dp;\n\n position: relative;\n border-radius: 2px;\n background-color: var(--paper-menu-button-dropdown-background, var(--primary-background-color));\n\n @apply --paper-menu-button-content;\n }\n\n :host([vertical-align="top"]) .dropdown-content {\n margin-bottom: 20px;\n margin-top: -10px;\n top: 10px;\n }\n\n :host([vertical-align="bottom"]) .dropdown-content {\n bottom: 10px;\n margin-bottom: -10px;\n margin-top: 20px;\n }\n\n #trigger {\n cursor: pointer;\n }\n \n\n
\n \n
\n\n \n \n \n']);return D=function(){return e},e}Object(p.a)({is:"paper-menu-grow-height-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().height;return this._effect=new KeyframeEffect(t,[{height:n/2+"px"},{height:n+"px"}],this.timingFromConfig(e)),this._effect}}),Object(p.a)({is:"paper-menu-grow-width-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().width;return this._effect=new KeyframeEffect(t,[{width:n/2+"px"},{width:n+"px"}],this.timingFromConfig(e)),this._effect}}),Object(p.a)({is:"paper-menu-shrink-width-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().width;return this._effect=new KeyframeEffect(t,[{width:n+"px"},{width:n-n/20+"px"}],this.timingFromConfig(e)),this._effect}}),Object(p.a)({is:"paper-menu-shrink-height-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().height;return this.setPrefixedProperty(t,"transformOrigin","0 0"),this._effect=new KeyframeEffect(t,[{height:n+"px",transform:"translateY(0)"},{height:n/2+"px",transform:"translateY(-20px)"}],this.timingFromConfig(e)),this._effect}});var z={ANIMATION_CUBIC_BEZIER:"cubic-bezier(.3,.95,.5,1)",MAX_ANIMATION_TIME_MS:400},F=Object(p.a)({_template:Object(h.a)(D()),is:"paper-menu-button",behaviors:[r.a,i.a],properties:{opened:{type:Boolean,value:!1,notify:!0,observer:"_openedChanged"},horizontalAlign:{type:String,value:"left",reflectToAttribute:!0},verticalAlign:{type:String,value:"top",reflectToAttribute:!0},dynamicAlign:{type:Boolean},horizontalOffset:{type:Number,value:0,notify:!0},verticalOffset:{type:Number,value:0,notify:!0},noOverlap:{type:Boolean},noAnimations:{type:Boolean,value:!1},ignoreSelect:{type:Boolean,value:!1},closeOnActivate:{type:Boolean,value:!1},openAnimationConfig:{type:Object,value:function(){return[{name:"fade-in-animation",timing:{delay:100,duration:200}},{name:"paper-menu-grow-width-animation",timing:{delay:100,duration:150,easing:z.ANIMATION_CUBIC_BEZIER}},{name:"paper-menu-grow-height-animation",timing:{delay:100,duration:275,easing:z.ANIMATION_CUBIC_BEZIER}}]}},closeAnimationConfig:{type:Object,value:function(){return[{name:"fade-out-animation",timing:{duration:150}},{name:"paper-menu-shrink-width-animation",timing:{delay:100,duration:50,easing:z.ANIMATION_CUBIC_BEZIER}},{name:"paper-menu-shrink-height-animation",timing:{duration:200,easing:"ease-in"}}]}},allowOutsideScroll:{type:Boolean,value:!1},restoreFocusOnClose:{type:Boolean,value:!0},_dropdownContent:{type:Object}},hostAttributes:{role:"group","aria-haspopup":"true"},listeners:{"iron-activate":"_onIronActivate","iron-select":"_onIronSelect"},get contentElement(){for(var e=Object(o.a)(this.$.content).getDistributedNodes(),t=0,n=e.length;t-1&&e.preventDefault()}});Object.keys(z).forEach((function(e){F[e]=z[e]}));n(111);var L=n(74);Object(p.a)({is:"iron-iconset-svg",properties:{name:{type:String,observer:"_nameChanged"},size:{type:Number,value:24},rtlMirroring:{type:Boolean,value:!1},useGlobalRtlAttribute:{type:Boolean,value:!1}},created:function(){this._meta=new L.a({type:"iconset",key:null,value:null})},attached:function(){this.style.display="none"},getIconNames:function(){return this._icons=this._createIconMap(),Object.keys(this._icons).map((function(e){return this.name+":"+e}),this)},applyIcon:function(e,t){this.removeIcon(e);var n=this._cloneIcon(t,this.rtlMirroring&&this._targetIsRTL(e));if(n){var r=Object(o.a)(e.root||e);return r.insertBefore(n,r.childNodes[0]),e._svgIcon=n}return null},removeIcon:function(e){e._svgIcon&&(Object(o.a)(e.root||e).removeChild(e._svgIcon),e._svgIcon=null)},_targetIsRTL:function(e){if(null==this.__targetIsRTL)if(this.useGlobalRtlAttribute){var t=document.body&&document.body.hasAttribute("dir")?document.body:document.documentElement;this.__targetIsRTL="rtl"===t.getAttribute("dir")}else e&&e.nodeType!==Node.ELEMENT_NODE&&(e=e.host),this.__targetIsRTL=e&&"rtl"===window.getComputedStyle(e).direction;return this.__targetIsRTL},_nameChanged:function(){this._meta.value=null,this._meta.key=this.name,this._meta.value=this,this.async((function(){this.fire("iron-iconset-added",this,{node:window})}))},_createIconMap:function(){var e=Object.create(null);return Object(o.a)(this).querySelectorAll("[id]").forEach((function(t){e[t.id]=t})),e},_cloneIcon:function(e,t){return this._icons=this._icons||this._createIconMap(),this._prepareSvgClone(this._icons[e],this.size,t)},_prepareSvgClone:function(e,t,n){if(e){var r=e.cloneNode(!0),i=document.createElementNS("http://www.w3.org/2000/svg","svg"),o=r.getAttribute("viewBox")||"0 0 "+t+" "+t,a="pointer-events: none; display: block; width: 100%; height: 100%;";return n&&r.hasAttribute("mirror-in-rtl")&&(a+="-webkit-transform:scale(-1,1);transform:scale(-1,1);transform-origin:center;"),i.setAttribute("viewBox",o),i.setAttribute("preserveAspectRatio","xMidYMid meet"),i.setAttribute("focusable","false"),i.style.cssText=a,i.appendChild(r).removeAttribute("id"),i}return null}});var N=document.createElement("template");N.setAttribute("style","display: none;"),N.innerHTML='\n\n\n\n',document.head.appendChild(N.content);var M=document.createElement("template");M.setAttribute("style","display: none;"),M.innerHTML='\n \n',document.head.appendChild(M.content);var B=n(56),H=n(69),V=n(59);function U(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n\n \x3c!-- this div fulfills an a11y requirement for combobox, do not remove --\x3e\n \n \n \x3c!-- support hybrid mode: user might be using paper-menu-button 1.x which distributes via --\x3e\n \n \n \n']);return U=function(){return e},e}Object(p.a)({_template:Object(h.a)(U()),is:"paper-dropdown-menu",behaviors:[B.a,i.a,H.a,V.a],properties:{selectedItemLabel:{type:String,notify:!0,readOnly:!0},selectedItem:{type:Object,notify:!0,readOnly:!0},value:{type:String,notify:!0},label:{type:String},placeholder:{type:String},errorMessage:{type:String},opened:{type:Boolean,notify:!0,value:!1,observer:"_openedChanged"},allowOutsideScroll:{type:Boolean,value:!1},noLabelFloat:{type:Boolean,value:!1,reflectToAttribute:!0},alwaysFloatLabel:{type:Boolean,value:!1},noAnimations:{type:Boolean,value:!1},horizontalAlign:{type:String,value:"right"},verticalAlign:{type:String,value:"top"},verticalOffset:Number,dynamicAlign:{type:Boolean},restoreFocusOnClose:{type:Boolean,value:!0}},listeners:{tap:"_onTap"},keyBindings:{"up down":"open",esc:"close"},hostAttributes:{role:"combobox","aria-autocomplete":"none","aria-haspopup":"true"},observers:["_selectedItemChanged(selectedItem)"],attached:function(){var e=this.contentElement;e&&e.selectedItem&&this._setSelectedItem(e.selectedItem)},get contentElement(){for(var e=Object(o.a)(this.$.content).getDistributedNodes(),t=0,n=e.length;t=0;--i){var o=this.tryEntries[i],a=o.completion;if("root"===o.tryLoc)return n("end");if(o.tryLoc<=this.prev){var s=r.call(o,"catchLoc"),c=r.call(o,"finallyLoc");if(s&&c){if(this.prev=0;--n){var i=this.tryEntries[n];if(i.tryLoc<=this.prev&&r.call(i,"finallyLoc")&&this.prev=0;--t){var n=this.tryEntries[t];if(n.finallyLoc===e)return this.complete(n.completion,n.afterLoc),k(n),u}},catch:function(e){for(var t=this.tryEntries.length-1;t>=0;--t){var n=this.tryEntries[t];if(n.tryLoc===e){var r=n.completion;if("throw"===r.type){var i=r.arg;k(n)}return i}}throw new Error("illegal catch attempt")},delegateYield:function(e,t,n){return this.delegate={iterator:x(e),resultName:t,nextLoc:n},"next"===this.method&&(this.arg=void 0),u}},e}("object"===t(e)?e.exports:{});try{regeneratorRuntime=n}catch(r){Function("r","regeneratorRuntime = r")(n)}}).call(this,n(120)(e))},function(e,t,n){"use strict";var r;(r="undefined"!=typeof process&&"[object process]"==={}.toString.call(process)||"undefined"!=typeof navigator&&"ReactNative"===navigator.product?global:self).Proxy||(r.Proxy=n(130)(),r.Proxy.revocable=r.Proxy.revocable)},function(e,t){function n(e){return(n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}e.exports=function(){var e,t=null;function r(e){return!!e&&("object"===n(e)||"function"==typeof e)}return(e=function(e,n){if(!r(e)||!r(n))throw new TypeError("Cannot create proxy with a non-object as target or handler");var i=function(){};t=function(){e=null,i=function(e){throw new TypeError("Cannot perform '".concat(e,"' on a proxy that has been revoked"))}},setTimeout((function(){t=null}),0);var o=n;for(var a in n={get:null,set:null,apply:null,construct:null},o){if(!(a in n))throw new TypeError("Proxy polyfill does not support trap '".concat(a,"'"));n[a]=o[a]}"function"==typeof o&&(n.apply=o.apply.bind(o));var s=this,c=!1,l=!1;"function"==typeof e?(s=function(){var t=this&&this.constructor===s,r=Array.prototype.slice.call(arguments);if(i(t?"construct":"apply"),t&&n.construct)return n.construct.call(this,e,r);if(!t&&n.apply)return n.apply(e,this,r);if(t){r.unshift(e);var o=e.bind.apply(e,r);return new o}return e.apply(this,r)},c=!0):e instanceof Array&&(s=[],l=!0);var u=n.get?function(e){return i("get"),n.get(this,e,s)}:function(e){return i("get"),this[e]},d=n.set?function(e,t){i("set");n.set(this,e,t,s)}:function(e,t){i("set"),this[e]=t},f=Object.getOwnPropertyNames(e),p={};f.forEach((function(t){if(!c&&!l||!(t in s)){var n={enumerable:!!Object.getOwnPropertyDescriptor(e,t).enumerable,get:u.bind(e,t),set:d.bind(e,t)};Object.defineProperty(s,t,n),p[t]=!0}}));var h=!0;if(Object.setPrototypeOf?Object.setPrototypeOf(s,Object.getPrototypeOf(e)):s.__proto__?s.__proto__=e.__proto__:h=!1,n.get||!h)for(var m in e)p[m]||Object.defineProperty(s,m,{get:u.bind(e,m)});return Object.seal(e),Object.seal(s),s}).revocable=function(n,r){return{proxy:new e(n,r),revoke:t}},e}},function(e,t){var n=document.createElement("template");n.setAttribute("style","display: none;"),n.innerHTML='',document.head.appendChild(n.content)},function(e,t){},function(e,t,n){"use strict";n.r(t);n(39),n(54);var r=n(9),i=(n(80),n(104),n(110),n(79),n(0)),o=n(41),a=(n(101),n(33),n(62)),s=n(29),c=n(12);function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function u(){var e=y(["\n ha-dialog.button-left {\n --justify-action-buttons: flex-start;\n }\n paper-icon-item {\n cursor: pointer;\n }\n .form {\n color: var(--primary-text-color);\n }\n .option {\n border: 1px solid var(--divider-color);\n border-radius: 4px;\n margin-top: 4px;\n }\n mwc-button {\n margin-left: 8px;\n }\n ha-paper-dropdown-menu {\n display: block;\n }\n "]);return u=function(){return e},e}function d(){var e=y([""]);return d=function(){return e},e}function f(){var e=y(["\n \n No repositories\n \n "]);return f=function(){return e},e}function p(){var e=y(['\n \n \n
',"
\n
","
\n
","
\n
\n ',"
"]);return h=function(){return e},e}function m(){var e=y(["\n \n ','\n
\n ','\n
\n \n
\n
\n \n Close\n \n \n ']);return m=function(){return e},e}function y(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function v(e,t,n,r,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void n(l)}s.done?t(c):Promise.resolve(c).then(r,i)}function b(e){return function(){var t=this,n=arguments;return new Promise((function(r,i){var o=e.apply(t,n);function a(e){v(o,r,i,a,s,"next",e)}function s(e){v(o,r,i,a,s,"throw",e)}a(void 0)}))}}function g(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function _(e,t){return(_=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function w(e,t){return!t||"object"!==l(t)&&"function"!=typeof t?k(e):t}function k(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function O(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function x(e){return(x=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function E(e){var t,n=P(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function S(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function j(e){return e.decorators&&e.decorators.length}function C(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function A(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function P(e){var t=function(e,t){if("object"!==l(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==l(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===l(t)?t:String(t)}function T(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var i,o,a=!0,s=!1;return{s:function(){i=e[Symbol.iterator]()},n:function(){var e=i.next();return a=e.done,e},e:function(e){s=!0,o=e},f:function(){try{a||null==i.return||i.return()}finally{if(s)throw o}}}}function r(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n0&&a>0&&n[o]===r[a];)o--,a--;n[o]!==r[a]&&this[h](n[o],r[a]),o>0&&this[y](n.slice(0,o)),a>0&&this[m](r.slice(0,a),i,null)}else this[m](r,i,t)}},{key:h,value:function(e,t){var n=e[d];this[g](e)&&!e.inert&&(e.inert=!0,n.add(e)),n.has(t)&&(t.inert=!1,n.delete(t)),t[f]=e[f],t[d]=n,e[f]=void 0,e[d]=void 0}},{key:y,value:function(e){var t,r=n(e);try{for(r.s();!(t=r.n()).done;){var i=t.value;i[f].disconnect(),i[f]=void 0;var o,a=n(i[d]);try{for(a.s();!(o=a.n()).done;)o.value.inert=!1}catch(s){a.e(s)}finally{a.f()}i[d]=void 0}}catch(s){r.e(s)}finally{r.f()}}},{key:m,value:function(e,t,r){var i,o=n(e);try{for(o.s();!(i=o.n()).done;){for(var a=i.value,s=a.parentNode,c=s.children,l=new Set,u=0;u>10),56320+(e-65536&1023))}for(var O=new Array(256),x=new Array(256),E=0;E<256;E++)O[E]=w(E)?1:0,x[E]=w(E);function S(e,t){this.input=e,this.filename=t.filename||null,this.schema=t.schema||c,this.onWarning=t.onWarning||null,this.legacy=t.legacy||!1,this.json=t.json||!1,this.listener=t.listener||null,this.implicitTypes=this.schema.compiledImplicit,this.typeMap=this.schema.compiledTypeMap,this.length=e.length,this.position=0,this.line=0,this.lineStart=0,this.lineIndent=0,this.documents=[]}function j(e,t){return new o(t,new a(e.filename,e.input,e.position,e.line,e.position-e.lineStart))}function C(e,t){throw j(e,t)}function A(e,t){e.onWarning&&e.onWarning.call(null,j(e,t))}var P={YAML:function(e,t,n){var r,i,o;null!==e.version&&C(e,"duplication of %YAML directive"),1!==n.length&&C(e,"YAML directive accepts exactly one argument"),null===(r=/^([0-9]+)\.([0-9]+)$/.exec(n[0]))&&C(e,"ill-formed argument of the YAML directive"),i=parseInt(r[1],10),o=parseInt(r[2],10),1!==i&&C(e,"unacceptable YAML version of the document"),e.version=n[0],e.checkLineBreaks=o<2,1!==o&&2!==o&&A(e,"unsupported YAML version of the document")},TAG:function(e,t,n){var r,i;2!==n.length&&C(e,"TAG directive accepts exactly two arguments"),r=n[0],i=n[1],p.test(r)||C(e,"ill-formed tag handle (first argument) of the TAG directive"),l.call(e.tagMap,r)&&C(e,'there is a previously declared suffix for "'+r+'" tag handle'),h.test(i)||C(e,"ill-formed tag prefix (second argument) of the TAG directive"),e.tagMap[r]=i}};function T(e,t,n,r){var i,o,a,s;if(t1&&(e.result+=i.repeat("\n",t-1))}function N(e,t){var n,r,i=e.tag,o=e.anchor,a=[],s=!1;for(null!==e.anchor&&(e.anchorMap[e.anchor]=a),r=e.input.charCodeAt(e.position);0!==r&&45===r&&b(e.input.charCodeAt(e.position+1));)if(s=!0,e.position++,z(e,!0,-1)&&e.lineIndent<=t)a.push(null),r=e.input.charCodeAt(e.position);else if(n=e.line,H(e,t,3,!1,!0),a.push(e.result),z(e,!0,-1),r=e.input.charCodeAt(e.position),(e.line===n||e.lineIndent>t)&&0!==r)C(e,"bad indentation of a sequence entry");else if(e.lineIndentt?m=1:e.lineIndent===t?m=0:e.lineIndentt?m=1:e.lineIndent===t?m=0:e.lineIndentt)&&(H(e,t,4,!0,i)&&(m?p=e.result:h=e.result),m||(I(e,u,d,f,p,h,o,a),f=p=h=null),z(e,!0,-1),s=e.input.charCodeAt(e.position)),e.lineIndent>t&&0!==s)C(e,"bad indentation of a mapping entry");else if(e.lineIndent=0))break;0===o?C(e,"bad explicit indentation width of a block scalar; it cannot be less than one"):u?C(e,"repeat of an indentation width identifier"):(d=t+o-1,u=!0)}if(v(a)){do{a=e.input.charCodeAt(++e.position)}while(v(a));if(35===a)do{a=e.input.charCodeAt(++e.position)}while(!y(a)&&0!==a)}for(;0!==a;){for(D(e),e.lineIndent=0,a=e.input.charCodeAt(e.position);(!u||e.lineIndentd&&(d=e.lineIndent),y(a))f++;else{if(e.lineIndent0){for(i=a,o=0;i>0;i--)(a=_(s=e.input.charCodeAt(++e.position)))>=0?o=(o<<4)+a:C(e,"expected hexadecimal character");e.result+=k(o),e.position++}else C(e,"unknown escape sequence");n=r=e.position}else y(s)?(T(e,n,r,!0),L(e,z(e,!1,t)),n=r=e.position):e.position===e.lineStart&&F(e)?C(e,"unexpected end of the document within a double quoted scalar"):(e.position++,r=e.position)}C(e,"unexpected end of the stream within a double quoted scalar")}(e,p)?E=!0:!function(e){var t,n,r;if(42!==(r=e.input.charCodeAt(e.position)))return!1;for(r=e.input.charCodeAt(++e.position),t=e.position;0!==r&&!b(r)&&!g(r);)r=e.input.charCodeAt(++e.position);return e.position===t&&C(e,"name of an alias node must contain at least one character"),n=e.input.slice(t,e.position),e.anchorMap.hasOwnProperty(n)||C(e,'unidentified alias "'+n+'"'),e.result=e.anchorMap[n],z(e,!0,-1),!0}(e)?function(e,t,n){var r,i,o,a,s,c,l,u,d=e.kind,f=e.result;if(b(u=e.input.charCodeAt(e.position))||g(u)||35===u||38===u||42===u||33===u||124===u||62===u||39===u||34===u||37===u||64===u||96===u)return!1;if((63===u||45===u)&&(b(r=e.input.charCodeAt(e.position+1))||n&&g(r)))return!1;for(e.kind="scalar",e.result="",i=o=e.position,a=!1;0!==u;){if(58===u){if(b(r=e.input.charCodeAt(e.position+1))||n&&g(r))break}else if(35===u){if(b(e.input.charCodeAt(e.position-1)))break}else{if(e.position===e.lineStart&&F(e)||n&&g(u))break;if(y(u)){if(s=e.line,c=e.lineStart,l=e.lineIndent,z(e,!1,-1),e.lineIndent>=t){a=!0,u=e.input.charCodeAt(e.position);continue}e.position=o,e.line=s,e.lineStart=c,e.lineIndent=l;break}}a&&(T(e,i,o,!1),L(e,e.line-s),i=o=e.position,a=!1),v(u)||(o=e.position+1),u=e.input.charCodeAt(++e.position)}return T(e,i,o,!1),!!e.result||(e.kind=d,e.result=f,!1)}(e,p,1===n)&&(E=!0,null===e.tag&&(e.tag="?")):(E=!0,null===e.tag&&null===e.anchor||C(e,"alias node should not have any properties")),null!==e.anchor&&(e.anchorMap[e.anchor]=e.result)):0===m&&(E=c&&N(e,h))),null!==e.tag&&"!"!==e.tag)if("?"===e.tag){for(u=0,d=e.implicitTypes.length;u tag; it should be "'+f.kind+'", not "'+e.kind+'"'),f.resolve(e.result)?(e.result=f.construct(e.result),null!==e.anchor&&(e.anchorMap[e.anchor]=e.result)):C(e,"cannot resolve a node with !<"+e.tag+"> explicit tag")):C(e,"unknown tag !<"+e.tag+">");return null!==e.listener&&e.listener("close",e),null!==e.tag||null!==e.anchor||E}function V(e){var t,n,r,i,o=e.position,a=!1;for(e.version=null,e.checkLineBreaks=e.legacy,e.tagMap={},e.anchorMap={};0!==(i=e.input.charCodeAt(e.position))&&(z(e,!0,-1),i=e.input.charCodeAt(e.position),!(e.lineIndent>0||37!==i));){for(a=!0,i=e.input.charCodeAt(++e.position),t=e.position;0!==i&&!b(i);)i=e.input.charCodeAt(++e.position);for(r=[],(n=e.input.slice(t,e.position)).length<1&&C(e,"directive name must not be less than one character in length");0!==i;){for(;v(i);)i=e.input.charCodeAt(++e.position);if(35===i){do{i=e.input.charCodeAt(++e.position)}while(0!==i&&!y(i));break}if(y(i))break;for(t=e.position;0!==i&&!b(i);)i=e.input.charCodeAt(++e.position);r.push(e.input.slice(t,e.position))}0!==i&&D(e),l.call(P,n)?P[n](e,n,r):A(e,'unknown document directive "'+n+'"')}z(e,!0,-1),0===e.lineIndent&&45===e.input.charCodeAt(e.position)&&45===e.input.charCodeAt(e.position+1)&&45===e.input.charCodeAt(e.position+2)?(e.position+=3,z(e,!0,-1)):a&&C(e,"directives end mark is expected"),H(e,e.lineIndent-1,4,!1,!0),z(e,!0,-1),e.checkLineBreaks&&d.test(e.input.slice(o,e.position))&&A(e,"non-ASCII line breaks are interpreted as content"),e.documents.push(e.result),e.position===e.lineStart&&F(e)?46===e.input.charCodeAt(e.position)&&(e.position+=3,z(e,!0,-1)):e.position0&&-1==="\0\r\n…\u2028\u2029".indexOf(this.buffer.charAt(i-1));)if(i-=1,this.position-i>t/2-1){n=" ... ",i+=5;break}for(o="",a=this.position;at/2-1){o=" ... ",a-=5;break}return s=this.buffer.slice(i,a),r.repeat(" ",e)+n+s+o+"\n"+r.repeat(" ",e+this.position-i+n.length)+"^"},i.prototype.toString=function(e){var t,n="";return this.name&&(n+='in "'+this.name+'" '),n+="at line "+(this.line+1)+", column "+(this.column+1),e||(t=this.getSnippet())&&(n+=":\n"+t),n},e.exports=i},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:str",{kind:"scalar",construct:function(e){return null!==e?e:""}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:seq",{kind:"sequence",construct:function(e){return null!==e?e:[]}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:map",{kind:"mapping",construct:function(e){return null!==e?e:{}}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:null",{kind:"scalar",resolve:function(e){if(null===e)return!0;var t=e.length;return 1===t&&"~"===e||4===t&&("null"===e||"Null"===e||"NULL"===e)},construct:function(){return null},predicate:function(e){return null===e},represent:{canonical:function(){return"~"},lowercase:function(){return"null"},uppercase:function(){return"NULL"},camelcase:function(){return"Null"}},defaultStyle:"lowercase"})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:bool",{kind:"scalar",resolve:function(e){if(null===e)return!1;var t=e.length;return 4===t&&("true"===e||"True"===e||"TRUE"===e)||5===t&&("false"===e||"False"===e||"FALSE"===e)},construct:function(e){return"true"===e||"True"===e||"TRUE"===e},predicate:function(e){return"[object Boolean]"===Object.prototype.toString.call(e)},represent:{lowercase:function(e){return e?"true":"false"},uppercase:function(e){return e?"TRUE":"FALSE"},camelcase:function(e){return e?"True":"False"}},defaultStyle:"lowercase"})},function(e,t,n){"use strict";var r=n(64),i=n(22);function o(e){return 48<=e&&e<=55}function a(e){return 48<=e&&e<=57}e.exports=new i("tag:yaml.org,2002:int",{kind:"scalar",resolve:function(e){if(null===e)return!1;var t,n,r=e.length,i=0,s=!1;if(!r)return!1;if("-"!==(t=e[i])&&"+"!==t||(t=e[++i]),"0"===t){if(i+1===r)return!0;if("b"===(t=e[++i])){for(i++;i=0?"0b"+e.toString(2):"-0b"+e.toString(2).slice(1)},octal:function(e){return e>=0?"0"+e.toString(8):"-0"+e.toString(8).slice(1)},decimal:function(e){return e.toString(10)},hexadecimal:function(e){return e>=0?"0x"+e.toString(16).toUpperCase():"-0x"+e.toString(16).toUpperCase().slice(1)}},defaultStyle:"decimal",styleAliases:{binary:[2,"bin"],octal:[8,"oct"],decimal:[10,"dec"],hexadecimal:[16,"hex"]}})},function(e,t,n){"use strict";var r=n(64),i=n(22),o=new RegExp("^(?:[-+]?(?:0|[1-9][0-9_]*)(?:\\.[0-9_]*)?(?:[eE][-+]?[0-9]+)?|\\.[0-9_]+(?:[eE][-+]?[0-9]+)?|[-+]?[0-9][0-9_]*(?::[0-5]?[0-9])+\\.[0-9_]*|[-+]?\\.(?:inf|Inf|INF)|\\.(?:nan|NaN|NAN))$");var a=/^[-+]?[0-9]+e/;e.exports=new i("tag:yaml.org,2002:float",{kind:"scalar",resolve:function(e){return null!==e&&!(!o.test(e)||"_"===e[e.length-1])},construct:function(e){var t,n,r,i;return n="-"===(t=e.replace(/_/g,"").toLowerCase())[0]?-1:1,i=[],"+-".indexOf(t[0])>=0&&(t=t.slice(1)),".inf"===t?1===n?Number.POSITIVE_INFINITY:Number.NEGATIVE_INFINITY:".nan"===t?NaN:t.indexOf(":")>=0?(t.split(":").forEach((function(e){i.unshift(parseFloat(e,10))})),t=0,r=1,i.forEach((function(e){t+=e*r,r*=60})),n*t):n*parseFloat(t,10)},predicate:function(e){return"[object Number]"===Object.prototype.toString.call(e)&&(e%1!=0||r.isNegativeZero(e))},represent:function(e,t){var n;if(isNaN(e))switch(t){case"lowercase":return".nan";case"uppercase":return".NAN";case"camelcase":return".NaN"}else if(Number.POSITIVE_INFINITY===e)switch(t){case"lowercase":return".inf";case"uppercase":return".INF";case"camelcase":return".Inf"}else if(Number.NEGATIVE_INFINITY===e)switch(t){case"lowercase":return"-.inf";case"uppercase":return"-.INF";case"camelcase":return"-.Inf"}else if(r.isNegativeZero(e))return"-0.0";return n=e.toString(10),a.test(n)?n.replace("e",".e"):n},defaultStyle:"lowercase"})},function(e,t,n){"use strict";var r=n(22),i=new RegExp("^([0-9][0-9][0-9][0-9])-([0-9][0-9])-([0-9][0-9])$"),o=new RegExp("^([0-9][0-9][0-9][0-9])-([0-9][0-9]?)-([0-9][0-9]?)(?:[Tt]|[ \\t]+)([0-9][0-9]?):([0-9][0-9]):([0-9][0-9])(?:\\.([0-9]*))?(?:[ \\t]*(Z|([-+])([0-9][0-9]?)(?::([0-9][0-9]))?))?$");e.exports=new r("tag:yaml.org,2002:timestamp",{kind:"scalar",resolve:function(e){return null!==e&&(null!==i.exec(e)||null!==o.exec(e))},construct:function(e){var t,n,r,a,s,c,l,u,d=0,f=null;if(null===(t=i.exec(e))&&(t=o.exec(e)),null===t)throw new Error("Date resolve error");if(n=+t[1],r=+t[2]-1,a=+t[3],!t[4])return new Date(Date.UTC(n,r,a));if(s=+t[4],c=+t[5],l=+t[6],t[7]){for(d=t[7].slice(0,3);d.length<3;)d+="0";d=+d}return t[9]&&(f=6e4*(60*+t[10]+ +(t[11]||0)),"-"===t[9]&&(f=-f)),u=new Date(Date.UTC(n,r,a,s,c,l,d)),f&&u.setTime(u.getTime()-f),u},instanceOf:Date,represent:function(e){return e.toISOString()}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:merge",{kind:"scalar",resolve:function(e){return"<<"===e||null===e}})},function(e,t,n){"use strict";var r;try{r=n(149).Buffer}catch(a){}var i=n(22),o="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=\n\r";e.exports=new i("tag:yaml.org,2002:binary",{kind:"scalar",resolve:function(e){if(null===e)return!1;var t,n,r=0,i=e.length,a=o;for(n=0;n64)){if(t<0)return!1;r+=6}return r%8==0},construct:function(e){var t,n,i=e.replace(/[\r\n=]/g,""),a=i.length,s=o,c=0,l=[];for(t=0;t>16&255),l.push(c>>8&255),l.push(255&c)),c=c<<6|s.indexOf(i.charAt(t));return 0===(n=a%4*6)?(l.push(c>>16&255),l.push(c>>8&255),l.push(255&c)):18===n?(l.push(c>>10&255),l.push(c>>2&255)):12===n&&l.push(c>>4&255),r?r.from?r.from(l):new r(l):l},predicate:function(e){return r&&r.isBuffer(e)},represent:function(e){var t,n,r="",i=0,a=e.length,s=o;for(t=0;t>18&63],r+=s[i>>12&63],r+=s[i>>6&63],r+=s[63&i]),i=(i<<8)+e[t];return 0===(n=a%3)?(r+=s[i>>18&63],r+=s[i>>12&63],r+=s[i>>6&63],r+=s[63&i]):2===n?(r+=s[i>>10&63],r+=s[i>>4&63],r+=s[i<<2&63],r+=s[64]):1===n&&(r+=s[i>>2&63],r+=s[i<<4&63],r+=s[64],r+=s[64]),r}})},function(e,t,n){"use strict";var r=n(150),i=n(151),o=n(152);function a(){return c.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function s(e,t){if(a()=a())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+a().toString(16)+" bytes");return 0|e}function h(e,t){if(c.isBuffer(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return B(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return H(e).length;default:if(r)return B(e).length;t=(""+t).toLowerCase(),r=!0}}function m(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return A(this,t,n);case"utf8":case"utf-8":return S(this,t,n);case"ascii":return j(this,t,n);case"latin1":case"binary":return C(this,t,n);case"base64":return E(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return P(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function y(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function v(e,t,n,r,i){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=i?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(i)return-1;n=e.length-1}else if(n<0){if(!i)return-1;n=0}if("string"==typeof t&&(t=c.from(t,r)),c.isBuffer(t))return 0===t.length?-1:b(e,t,n,r,i);if("number"==typeof t)return t&=255,c.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?i?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):b(e,[t],n,r,i);throw new TypeError("val must be string, number or Buffer")}function b(e,t,n,r,i){var o,a=1,s=e.length,c=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;a=2,s/=2,c/=2,n/=2}function l(e,t){return 1===a?e[t]:e.readUInt16BE(t*a)}if(i){var u=-1;for(o=n;os&&(n=s-c),o=n;o>=0;o--){for(var d=!0,f=0;fi&&(r=i):r=i;var o=t.length;if(o%2!=0)throw new TypeError("Invalid hex string");r>o/2&&(r=o/2);for(var a=0;a>8,i=n%256,o.push(i),o.push(r);return o}(t,e.length-n),e,n,r)}function E(e,t,n){return 0===t&&n===e.length?r.fromByteArray(e):r.fromByteArray(e.slice(t,n))}function S(e,t,n){n=Math.min(e.length,n);for(var r=[],i=t;i239?4:l>223?3:l>191?2:1;if(i+d<=n)switch(d){case 1:l<128&&(u=l);break;case 2:128==(192&(o=e[i+1]))&&(c=(31&l)<<6|63&o)>127&&(u=c);break;case 3:o=e[i+1],a=e[i+2],128==(192&o)&&128==(192&a)&&(c=(15&l)<<12|(63&o)<<6|63&a)>2047&&(c<55296||c>57343)&&(u=c);break;case 4:o=e[i+1],a=e[i+2],s=e[i+3],128==(192&o)&&128==(192&a)&&128==(192&s)&&(c=(15&l)<<18|(63&o)<<12|(63&a)<<6|63&s)>65535&&c<1114112&&(u=c)}null===u?(u=65533,d=1):u>65535&&(u-=65536,r.push(u>>>10&1023|55296),u=56320|1023&u),r.push(u),i+=d}return function(e){var t=e.length;if(t<=4096)return String.fromCharCode.apply(String,e);var n="",r=0;for(;r0&&(e=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(e+=" ... ")),""},c.prototype.compare=function(e,t,n,r,i){if(!c.isBuffer(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===i&&(i=this.length),t<0||n>e.length||r<0||i>this.length)throw new RangeError("out of range index");if(r>=i&&t>=n)return 0;if(r>=i)return-1;if(t>=n)return 1;if(this===e)return 0;for(var o=(i>>>=0)-(r>>>=0),a=(n>>>=0)-(t>>>=0),s=Math.min(o,a),l=this.slice(r,i),u=e.slice(t,n),d=0;di)&&(n=i),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var o=!1;;)switch(r){case"hex":return g(this,e,t,n);case"utf8":case"utf-8":return _(this,e,t,n);case"ascii":return w(this,e,t,n);case"latin1":case"binary":return k(this,e,t,n);case"base64":return O(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return x(this,e,t,n);default:if(o)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),o=!0}},c.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};function j(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;ir)&&(n=r);for(var i="",o=t;on)throw new RangeError("Trying to access beyond buffer length")}function R(e,t,n,r,i,o){if(!c.isBuffer(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>i||te.length)throw new RangeError("Index out of range")}function I(e,t,n,r){t<0&&(t=65535+t+1);for(var i=0,o=Math.min(e.length-n,2);i>>8*(r?i:1-i)}function D(e,t,n,r){t<0&&(t=4294967295+t+1);for(var i=0,o=Math.min(e.length-n,4);i>>8*(r?i:3-i)&255}function z(e,t,n,r,i,o){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function F(e,t,n,r,o){return o||z(e,0,n,4),i.write(e,t,n,r,23,4),n+4}function L(e,t,n,r,o){return o||z(e,0,n,8),i.write(e,t,n,r,52,8),n+8}c.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t0&&(i*=256);)r+=this[e+--t]*i;return r},c.prototype.readUInt8=function(e,t){return t||T(e,1,this.length),this[e]},c.prototype.readUInt16LE=function(e,t){return t||T(e,2,this.length),this[e]|this[e+1]<<8},c.prototype.readUInt16BE=function(e,t){return t||T(e,2,this.length),this[e]<<8|this[e+1]},c.prototype.readUInt32LE=function(e,t){return t||T(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},c.prototype.readUInt32BE=function(e,t){return t||T(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},c.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||T(e,t,this.length);for(var r=this[e],i=1,o=0;++o=(i*=128)&&(r-=Math.pow(2,8*t)),r},c.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||T(e,t,this.length);for(var r=t,i=1,o=this[e+--r];r>0&&(i*=256);)o+=this[e+--r]*i;return o>=(i*=128)&&(o-=Math.pow(2,8*t)),o},c.prototype.readInt8=function(e,t){return t||T(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},c.prototype.readInt16LE=function(e,t){t||T(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},c.prototype.readInt16BE=function(e,t){t||T(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},c.prototype.readInt32LE=function(e,t){return t||T(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},c.prototype.readInt32BE=function(e,t){return t||T(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},c.prototype.readFloatLE=function(e,t){return t||T(e,4,this.length),i.read(this,e,!0,23,4)},c.prototype.readFloatBE=function(e,t){return t||T(e,4,this.length),i.read(this,e,!1,23,4)},c.prototype.readDoubleLE=function(e,t){return t||T(e,8,this.length),i.read(this,e,!0,52,8)},c.prototype.readDoubleBE=function(e,t){return t||T(e,8,this.length),i.read(this,e,!1,52,8)},c.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||R(this,e,t,n,Math.pow(2,8*n)-1,0);var i=1,o=0;for(this[t]=255&e;++o=0&&(o*=256);)this[t+i]=e/o&255;return t+n},c.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,1,255,0),c.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},c.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,65535,0),c.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},c.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,65535,0),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},c.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,4294967295,0),c.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):D(this,e,t,!0),t+4},c.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,4294967295,0),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):D(this,e,t,!1),t+4},c.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);R(this,e,t,n,i-1,-i)}var o=0,a=1,s=0;for(this[t]=255&e;++o>0)-s&255;return t+n},c.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);R(this,e,t,n,i-1,-i)}var o=n-1,a=1,s=0;for(this[t+o]=255&e;--o>=0&&(a*=256);)e<0&&0===s&&0!==this[t+o+1]&&(s=1),this[t+o]=(e/a>>0)-s&255;return t+n},c.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,1,127,-128),c.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},c.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,32767,-32768),c.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},c.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,32767,-32768),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},c.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,2147483647,-2147483648),c.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):D(this,e,t,!0),t+4},c.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):D(this,e,t,!1),t+4},c.prototype.writeFloatLE=function(e,t,n){return F(this,e,t,!0,n)},c.prototype.writeFloatBE=function(e,t,n){return F(this,e,t,!1,n)},c.prototype.writeDoubleLE=function(e,t,n){return L(this,e,t,!0,n)},c.prototype.writeDoubleBE=function(e,t,n){return L(this,e,t,!1,n)},c.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t=0;--i)e[i+t]=this[i+n];else if(o<1e3||!c.TYPED_ARRAY_SUPPORT)for(i=0;i>>=0,n=void 0===n?this.length:n>>>0,e||(e=0),"number"==typeof e)for(o=t;o55295&&n<57344){if(!i){if(n>56319){(t-=3)>-1&&o.push(239,191,189);continue}if(a+1===r){(t-=3)>-1&&o.push(239,191,189);continue}i=n;continue}if(n<56320){(t-=3)>-1&&o.push(239,191,189),i=n;continue}n=65536+(i-55296<<10|n-56320)}else i&&(t-=3)>-1&&o.push(239,191,189);if(i=null,n<128){if((t-=1)<0)break;o.push(n)}else if(n<2048){if((t-=2)<0)break;o.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;o.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;o.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return o}function H(e){return r.toByteArray(function(e){if((e=function(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}(e).replace(N,"")).length<2)return"";for(;e.length%4!=0;)e+="=";return e}(e))}function V(e,t,n,r){for(var i=0;i=t.length||i>=e.length);++i)t[i+n]=e[i];return i}},function(e,t,n){"use strict";t.byteLength=function(e){var t=l(e),n=t[0],r=t[1];return 3*(n+r)/4-r},t.toByteArray=function(e){var t,n,r=l(e),a=r[0],s=r[1],c=new o(function(e,t,n){return 3*(t+n)/4-n}(0,a,s)),u=0,d=s>0?a-4:a;for(n=0;n>16&255,c[u++]=t>>8&255,c[u++]=255&t;2===s&&(t=i[e.charCodeAt(n)]<<2|i[e.charCodeAt(n+1)]>>4,c[u++]=255&t);1===s&&(t=i[e.charCodeAt(n)]<<10|i[e.charCodeAt(n+1)]<<4|i[e.charCodeAt(n+2)]>>2,c[u++]=t>>8&255,c[u++]=255&t);return c},t.fromByteArray=function(e){for(var t,n=e.length,i=n%3,o=[],a=0,s=n-i;as?s:a+16383));1===i?(t=e[n-1],o.push(r[t>>2]+r[t<<4&63]+"==")):2===i&&(t=(e[n-2]<<8)+e[n-1],o.push(r[t>>10]+r[t>>4&63]+r[t<<2&63]+"="));return o.join("")};for(var r=[],i=[],o="undefined"!=typeof Uint8Array?Uint8Array:Array,a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",s=0,c=a.length;s0)throw new Error("Invalid string. Length must be a multiple of 4");var n=e.indexOf("=");return-1===n&&(n=t),[n,n===t?0:4-n%4]}function u(e,t,n){for(var i,o,a=[],s=t;s>18&63]+r[o>>12&63]+r[o>>6&63]+r[63&o]);return a.join("")}i["-".charCodeAt(0)]=62,i["_".charCodeAt(0)]=63},function(e,t){t.read=function(e,t,n,r,i){var o,a,s=8*i-r-1,c=(1<>1,u=-7,d=n?i-1:0,f=n?-1:1,p=e[t+d];for(d+=f,o=p&(1<<-u)-1,p>>=-u,u+=s;u>0;o=256*o+e[t+d],d+=f,u-=8);for(a=o&(1<<-u)-1,o>>=-u,u+=r;u>0;a=256*a+e[t+d],d+=f,u-=8);if(0===o)o=1-l;else{if(o===c)return a?NaN:1/0*(p?-1:1);a+=Math.pow(2,r),o-=l}return(p?-1:1)*a*Math.pow(2,o-r)},t.write=function(e,t,n,r,i,o){var a,s,c,l=8*o-i-1,u=(1<>1,f=23===i?Math.pow(2,-24)-Math.pow(2,-77):0,p=r?0:o-1,h=r?1:-1,m=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(s=isNaN(t)?1:0,a=u):(a=Math.floor(Math.log(t)/Math.LN2),t*(c=Math.pow(2,-a))<1&&(a--,c*=2),(t+=a+d>=1?f/c:f*Math.pow(2,1-d))*c>=2&&(a++,c/=2),a+d>=u?(s=0,a=u):a+d>=1?(s=(t*c-1)*Math.pow(2,i),a+=d):(s=t*Math.pow(2,d-1)*Math.pow(2,i),a=0));i>=8;e[n+p]=255&s,p+=h,s/=256,i-=8);for(a=a<0;e[n+p]=255&a,p+=h,a/=256,l-=8);e[n+p-h]|=128*m}},function(e,t){var n={}.toString;e.exports=Array.isArray||function(e){return"[object Array]"==n.call(e)}},function(e,t,n){"use strict";var r=n(22),i=Object.prototype.hasOwnProperty,o=Object.prototype.toString;e.exports=new r("tag:yaml.org,2002:omap",{kind:"sequence",resolve:function(e){if(null===e)return!0;var t,n,r,a,s,c=[],l=e;for(t=0,n=l.length;t3)return!1;if("/"!==t[t.length-r.length-1])return!1}return!0},construct:function(e){var t=e,n=/\/([gim]*)$/.exec(e),r="";return"/"===t[0]&&(n&&(r=n[1]),t=t.slice(1,t.length-r.length-1)),new RegExp(t,r)},predicate:function(e){return"[object RegExp]"===Object.prototype.toString.call(e)},represent:function(e){var t="/"+e.source+"/";return e.global&&(t+="g"),e.multiline&&(t+="m"),e.ignoreCase&&(t+="i"),t}})},function(e,t,n){"use strict";var r;try{r=n(!function(){var e=new Error("Cannot find module 'esprima'");throw e.code="MODULE_NOT_FOUND",e}())}catch(o){"undefined"!=typeof window&&(r=window.esprima)}var i=n(22);e.exports=new i("tag:yaml.org,2002:js/function",{kind:"scalar",resolve:function(e){if(null===e)return!1;try{var t="("+e+")",n=r.parse(t,{range:!0});return"Program"===n.type&&1===n.body.length&&"ExpressionStatement"===n.body[0].type&&("ArrowFunctionExpression"===n.body[0].expression.type||"FunctionExpression"===n.body[0].expression.type)}catch(i){return!1}},construct:function(e){var t,n="("+e+")",i=r.parse(n,{range:!0}),o=[];if("Program"!==i.type||1!==i.body.length||"ExpressionStatement"!==i.body[0].type||"ArrowFunctionExpression"!==i.body[0].expression.type&&"FunctionExpression"!==i.body[0].expression.type)throw new Error("Failed to resolve function");return i.body[0].expression.params.forEach((function(e){o.push(e.name)})),t=i.body[0].expression.body.range,"BlockStatement"===i.body[0].expression.body.type?new Function(o,n.slice(t[0]+1,t[1]-1)):new Function(o,"return "+n.slice(t[0],t[1]))},predicate:function(e){return"[object Function]"===Object.prototype.toString.call(e)},represent:function(e){return e.toString()}})},function(e,t,n){"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var i=n(64),o=n(71),a=n(82),s=n(72),c=Object.prototype.toString,l=Object.prototype.hasOwnProperty,u={0:"\\0",7:"\\a",8:"\\b",9:"\\t",10:"\\n",11:"\\v",12:"\\f",13:"\\r",27:"\\e",34:'\\"',92:"\\\\",133:"\\N",160:"\\_",8232:"\\L",8233:"\\P"},d=["y","Y","yes","Yes","YES","on","On","ON","n","N","no","No","NO","off","Off","OFF"];function f(e){var t,n,r;if(t=e.toString(16).toUpperCase(),e<=255)n="x",r=2;else if(e<=65535)n="u",r=4;else{if(!(e<=4294967295))throw new o("code point within a string may not be greater than 0xFFFFFFFF");n="U",r=8}return"\\"+n+i.repeat("0",r-t.length)+t}function p(e){this.schema=e.schema||a,this.indent=Math.max(1,e.indent||2),this.noArrayIndent=e.noArrayIndent||!1,this.skipInvalid=e.skipInvalid||!1,this.flowLevel=i.isNothing(e.flowLevel)?-1:e.flowLevel,this.styleMap=function(e,t){var n,r,i,o,a,s,c;if(null===t)return{};for(n={},i=0,o=(r=Object.keys(t)).length;ir&&" "!==e[d+1],d=o);else if(!v(a))return 5;f=f&&b(a)}l=l||u&&o-d-1>r&&" "!==e[d+1]}return c||l?n>9&&g(e)?5:l?4:3:f&&!i(e)?1:2}function w(e,t,n,r){e.dump=function(){if(0===t.length)return"''";if(!e.noCompatMode&&-1!==d.indexOf(t))return"'"+t+"'";var i=e.indent*Math.max(1,n),a=-1===e.lineWidth?-1:Math.max(Math.min(e.lineWidth,40),e.lineWidth-i),s=r||e.flowLevel>-1&&n>=e.flowLevel;switch(_(t,s,e.indent,a,(function(t){return function(e,t){var n,r;for(n=0,r=e.implicitTypes.length;n"+k(t,e.indent)+O(h(function(e,t){var n,r,i=/(\n+)([^\n]*)/g,o=(s=e.indexOf("\n"),s=-1!==s?s:e.length,i.lastIndex=s,x(e.slice(0,s),t)),a="\n"===e[0]||" "===e[0];var s;for(;r=i.exec(e);){var c=r[1],l=r[2];n=" "===l[0],o+=c+(a||n||""===l?"":"\n")+x(l,t),a=n}return o}(t,a),i));case 5:return'"'+function(e){for(var t,n,r,i="",o=0;o=55296&&t<=56319&&(n=e.charCodeAt(o+1))>=56320&&n<=57343?(i+=f(1024*(t-55296)+n-56320+65536),o++):(r=u[t],i+=!r&&v(t)?e[o]:r||f(t));return i}(t)+'"';default:throw new o("impossible error: invalid scalar style")}}()}function k(e,t){var n=g(e)?String(t):"",r="\n"===e[e.length-1];return n+(r&&("\n"===e[e.length-2]||"\n"===e)?"+":r?"":"-")+"\n"}function O(e){return"\n"===e[e.length-1]?e.slice(0,-1):e}function x(e,t){if(""===e||" "===e[0])return e;for(var n,r,i=/ [^ ]/g,o=0,a=0,s=0,c="";n=i.exec(e);)(s=n.index)-o>t&&(r=a>o?a:s,c+="\n"+e.slice(o,r),o=r+1),a=s;return c+="\n",e.length-o>t&&a>o?c+=e.slice(o,a)+"\n"+e.slice(a+1):c+=e.slice(o),c.slice(1)}function E(e,t,n){var i,a,s,u,d,f;for(s=0,u=(a=n?e.explicitTypes:e.implicitTypes).length;s tag resolver accepts not "'+f+'" style');i=d.represent[f](t,f)}e.dump=i}return!0}return!1}function S(e,t,n,r,i,a){e.tag=null,e.dump=n,E(e,n,!1)||E(e,n,!0);var s=c.call(e.dump);r&&(r=e.flowLevel<0||e.flowLevel>t);var l,u,d="[object Object]"===s||"[object Array]"===s;if(d&&(u=-1!==(l=e.duplicates.indexOf(n))),(null!==e.tag&&"?"!==e.tag||u||2!==e.indent&&t>0)&&(i=!1),u&&e.usedDuplicates[l])e.dump="*ref_"+l;else{if(d&&u&&!e.usedDuplicates[l]&&(e.usedDuplicates[l]=!0),"[object Object]"===s)r&&0!==Object.keys(e.dump).length?(!function(e,t,n,r){var i,a,s,c,l,u,d="",f=e.tag,p=Object.keys(n);if(!0===e.sortKeys)p.sort();else if("function"==typeof e.sortKeys)p.sort(e.sortKeys);else if(e.sortKeys)throw new o("sortKeys must be a boolean or a function");for(i=0,a=p.length;i1024)&&(e.dump&&10===e.dump.charCodeAt(0)?u+="?":u+="? "),u+=e.dump,l&&(u+=m(e,t)),S(e,t+1,c,!0,l)&&(e.dump&&10===e.dump.charCodeAt(0)?u+=":":u+=": ",d+=u+=e.dump));e.tag=f,e.dump=d||"{}"}(e,t,e.dump,i),u&&(e.dump="&ref_"+l+e.dump)):(!function(e,t,n){var r,i,o,a,s,c="",l=e.tag,u=Object.keys(n);for(r=0,i=u.length;r1024&&(s+="? "),s+=e.dump+(e.condenseFlow?'"':"")+":"+(e.condenseFlow?"":" "),S(e,t,a,!1,!1)&&(c+=s+=e.dump));e.tag=l,e.dump="{"+c+"}"}(e,t,e.dump),u&&(e.dump="&ref_"+l+" "+e.dump));else if("[object Array]"===s){var f=e.noArrayIndent&&t>0?t-1:t;r&&0!==e.dump.length?(!function(e,t,n,r){var i,o,a="",s=e.tag;for(i=0,o=n.length;i "+e.dump)}return!0}function j(e,t){var n,i,o=[],a=[];for(function e(t,n,i){var o,a,s;if(null!==t&&"object"===r(t))if(-1!==(a=n.indexOf(t)))-1===i.indexOf(a)&&i.push(a);else if(n.push(t),Array.isArray(t))for(a=0,s=t.length;a{const i=new XMLHttpRequest,o=[],a=[],s={},c=()=>({ok:2==(i.status/100|0),statusText:i.statusText,status:i.status,url:i.responseURL,text:()=>Promise.resolve(i.responseText),json:()=>Promise.resolve(JSON.parse(i.responseText)),blob:()=>Promise.resolve(new Blob([i.response])),clone:c,headers:{keys:()=>o,entries:()=>a,get:e=>s[e.toLowerCase()],has:e=>e.toLowerCase()in s}});i.open(t.method||"get",e,!0),i.onload=()=>{i.getAllResponseHeaders().replace(/^(.*?):[^\S\n]*([\s\S]*?)$/gm,(e,t,n)=>{o.push(t=t.toLowerCase()),a.push([t,n]),s[t]=s[t]?`${s[t]},${n}`:n}),n(c())},i.onerror=r,i.withCredentials="include"==t.credentials;for(const e in t.headers)i.setRequestHeader(e,t.headers[e]);i.send(t.body||null)})});n(129);i.a.polyfill(),void 0===Object.values&&(Object.values=function(e){return Object.keys(e).map((function(t){return e[t]}))}),String.prototype.padStart||(String.prototype.padStart=function(e,t){return e>>=0,t=String(void 0!==t?t:" "),this.length>=e?String(this):((e-=this.length)>t.length&&(t+=t.repeat(e/t.length)),t.slice(0,e)+String(this))});n(131);var o=n(0),a=n(24);function s(e,t,n,r,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void n(l)}s.done?t(c):Promise.resolve(c).then(r,i)}function c(e){return function(){var t=this,n=arguments;return new Promise((function(r,i){var o=e.apply(t,n);function a(e){s(o,r,i,a,c,"next",e)}function c(e){s(o,r,i,a,c,"throw",e)}a(void 0)}))}}var l=function(){var e=c(regeneratorRuntime.mark((function e(t){var n;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,t.callApi("GET","hassio/host/info");case 2:return n=e.sent,e.abrupt("return",Object(a.a)(n));case 4:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),u=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.t0=a.a,e.next=3,t.callApi("GET","hassio/os/info");case 3:return e.t1=e.sent,e.abrupt("return",(0,e.t0)(e.t1));case 5:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),d=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/host/reboot"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),f=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/host/shutdown"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),p=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/os/update"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),h=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/os/config/sync"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),m=function(){var e=c(regeneratorRuntime.mark((function e(t,n){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/host/options",n));case 1:case"end":return e.stop()}}),e)})));return function(t,n){return e.apply(this,arguments)}}(),y=n(29),v=n(83),b=(n(53),n(106),n(36),n(107),n(63),n(117),n(12));function g(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,i=!1,o=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(c){i=!0,o=c}finally{try{r||null==s.return||s.return()}finally{if(i)throw o}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return _(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return _(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n .scrollable {\n -webkit-overflow-scrolling: auto !important;\n }\n\n paper-dialog-scrollable.can-scroll > .scrollable {\n -webkit-overflow-scrolling: touch !important;\n }\n \n"),document.head.appendChild(w.content);n(54);var k=n(1),O=(n(66),n(8)),x=n(42),E=n(13);function S(e){return(S="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function j(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(!e)return;if("string"==typeof e)return C(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return C(e,t)}(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function C(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n\n \n \n \n \n \n ']);return A=function(){return e},e}function P(){var e=B([""]);return P=function(){return e},e}function T(){var e=B(['\n \n ',"\n "]);return T=function(){return e},e}function R(){var e=B(['\n \n \n ']);return R=function(){return e},e}function I(){var e=B(['\n \n \n ']);return I=function(){return e},e}function D(){var e=B([""]);return D=function(){return e},e}function z(){var e=B(['
']);return z=function(){return e},e}function F(){var e=B(["\n \n "]);return F=function(){return e},e}function L(){var e=B(["\n ","\n ","\n ","\n ",""]);return L=function(){return e},e}function N(){var e=B([""]);return N=function(){return e},e}function M(){var e=B([""]);return M=function(){return e},e}function B(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function H(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function V(e,t){for(var n=0;n\n \n ',"\n \n "]);return pe=function(){return e},e}function he(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function me(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function ye(e,t){return(ye=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function ve(e,t){return!t||"object"!==ce(t)&&"function"!=typeof t?be(e):t}function be(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function ge(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function _e(e){return(_e=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function we(e){var t,n=Se(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function ke(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Oe(e){return e.decorators&&e.decorators.length}function xe(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Ee(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function Se(e){var t=function(e,t){if("object"!==ce(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==ce(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===ce(t)?t:String(t)}function je(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function yt(e,t){if(e){if("string"==typeof e)return vt(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?vt(e,t):void 0}}function vt(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0&&this.adapter.setTabIndexForElementIndex(t,0)}},{key:"handleFocusOut",value:function(e,t){var n=this;t>=0&&this.adapter.setTabIndexForElementIndex(t,-1),setTimeout((function(){n.adapter.isFocusInsideList()||n.setTabindexToFirstSelectedItem_()}),0)}},{key:"handleKeydown",value:function(e,t,n){var r="ArrowLeft"===ct(e),i="ArrowUp"===ct(e),o="ArrowRight"===ct(e),a="ArrowDown"===ct(e),s="Home"===ct(e),c="End"===ct(e),l="Enter"===ct(e),u="Spacebar"===ct(e);if(this.adapter.isRootFocused())i||c?(e.preventDefault(),this.focusLastElement()):(a||s)&&(e.preventDefault(),this.focusFirstElement());else{var d=this.adapter.getFocusedElementIndex();if(!(-1===d&&(d=n)<0)){var f;if(this.isVertical_&&a||!this.isVertical_&&o)this.preventDefaultEvent(e),f=this.focusNextElement(d);else if(this.isVertical_&&i||!this.isVertical_&&r)this.preventDefaultEvent(e),f=this.focusPrevElement(d);else if(s)this.preventDefaultEvent(e),f=this.focusFirstElement();else if(c)this.preventDefaultEvent(e),f=this.focusLastElement();else if((l||u)&&t){var p=e.target;if(p&&"A"===p.tagName&&l)return;this.preventDefaultEvent(e),this.setSelectedIndexOnAction_(d,!0)}this.focusedItemIndex_=d,void 0!==f&&(this.setTabindexAtIndex_(f),this.focusedItemIndex_=f)}}}},{key:"handleSingleSelection",value:function(e,t,n){e!==ft.UNSET_INDEX&&(this.setSelectedIndexOnAction_(e,t,n),this.setTabindexAtIndex_(e),this.focusedItemIndex_=e)}},{key:"focusNextElement",value:function(e){var t=e+1;if(t>=this.adapter.getListItemCount()){if(!this.wrapFocus_)return e;t=0}return this.adapter.focusItemAtIndex(t),t}},{key:"focusPrevElement",value:function(e){var t=e-1;if(t<0){if(!this.wrapFocus_)return e;t=this.adapter.getListItemCount()-1}return this.adapter.focusItemAtIndex(t),t}},{key:"focusFirstElement",value:function(){return this.adapter.focusItemAtIndex(0),0}},{key:"focusLastElement",value:function(){var e=this.adapter.getListItemCount()-1;return this.adapter.focusItemAtIndex(e),e}},{key:"setEnabled",value:function(e,t){this.isIndexValid_(e)&&this.adapter.setDisabledStateForElementIndex(e,!t)}},{key:"preventDefaultEvent",value:function(e){var t=e.target,n="".concat(t.tagName).toLowerCase();-1===xt.indexOf(n)&&e.preventDefault()}},{key:"setSingleSelectionAtIndex_",value:function(e){var t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];this.selectedIndex_!==e&&(this.selectedIndex_!==ft.UNSET_INDEX&&(this.adapter.setSelectedStateForElementIndex(this.selectedIndex_,!1),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(this.selectedIndex_,!1)),t&&this.adapter.setSelectedStateForElementIndex(e,!0),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(e,!0),this.setAriaForSingleSelectionAtIndex_(e),this.selectedIndex_=e,this.adapter.notifySelected(e))}},{key:"setMultiSelectionAtIndex_",value:function(e){var t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],n=St(this.selectedIndex_),r=Ot(n,e);if(r.removed.length||r.added.length){var i,o=mt(r.removed);try{for(o.s();!(i=o.n()).done;){var a=i.value;t&&this.adapter.setSelectedStateForElementIndex(a,!1),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(a,!1)}}catch(u){o.e(u)}finally{o.f()}var s,c=mt(r.added);try{for(c.s();!(s=c.n()).done;){var l=s.value;t&&this.adapter.setSelectedStateForElementIndex(l,!0),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(l,!0)}}catch(u){c.e(u)}finally{c.f()}this.selectedIndex_=e,this.adapter.notifySelected(e,r)}}},{key:"setAriaForSingleSelectionAtIndex_",value:function(e){this.selectedIndex_===ft.UNSET_INDEX&&(this.ariaCurrentAttrValue_=this.adapter.getAttributeForElementIndex(e,dt.ARIA_CURRENT));var t=null!==this.ariaCurrentAttrValue_,n=t?dt.ARIA_CURRENT:dt.ARIA_SELECTED;this.selectedIndex_!==ft.UNSET_INDEX&&this.adapter.setAttributeForElementIndex(this.selectedIndex_,n,"false");var r=t?this.ariaCurrentAttrValue_:"true";this.adapter.setAttributeForElementIndex(e,n,r)}},{key:"setTabindexAtIndex_",value:function(e){this.focusedItemIndex_===ft.UNSET_INDEX&&0!==e?this.adapter.setTabIndexForElementIndex(0,-1):this.focusedItemIndex_>=0&&this.focusedItemIndex_!==e&&this.adapter.setTabIndexForElementIndex(this.focusedItemIndex_,-1),this.adapter.setTabIndexForElementIndex(e,0)}},{key:"setTabindexToFirstSelectedItem_",value:function(){var e=0;"number"==typeof this.selectedIndex_&&this.selectedIndex_!==ft.UNSET_INDEX?e=this.selectedIndex_:Et(this.selectedIndex_)&&this.selectedIndex_.size>0&&(e=Math.min.apply(Math,ht(this.selectedIndex_))),this.setTabindexAtIndex_(e)}},{key:"isIndexValid_",value:function(e){if(e instanceof Set){if(!this.isMulti_)throw new Error("MDCListFoundation: Array of index is only supported for checkbox based list");if(0===e.size)return!0;var t,n=!1,r=mt(e);try{for(r.s();!(t=r.n()).done;){var i=t.value;if(n=this.isIndexInRange_(i))break}}catch(o){r.e(o)}finally{r.f()}return n}if("number"==typeof e){if(this.isMulti_)throw new Error("MDCListFoundation: Expected array of index for checkbox based list but got number: "+e);return e===ft.UNSET_INDEX||this.isIndexInRange_(e)}return!1}},{key:"isIndexInRange_",value:function(e){var t=this.adapter.getListItemCount();return e>=0&&e2&&void 0!==arguments[2])||arguments[2],r=!1;r=void 0===t?!this.adapter.getSelectedStateForElementIndex(e):t;var i=St(this.selectedIndex_);r?i.add(e):i.delete(e),this.setMultiSelectionAtIndex_(i,n)}}])&&bt(n.prototype,r),i&&bt(n,i),a}(Te.a);function Ct(e){return(Ct="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function At(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \x3c!-- @ts-ignore --\x3e\n 1&&void 0!==arguments[1]&&arguments[1],n=this.items[e];n&&(n.selected=!0,n.activated=t)}},{key:"deselectUi",value:function(e){var t=this.items[e];t&&(t.selected=!1,t.activated=!1)}},{key:"select",value:function(e){this.mdcFoundation&&this.mdcFoundation.setSelectedIndex(e)}},{key:"toggle",value:function(e,t){this.multi&&this.mdcFoundation.toggleMultiAtIndex(e,t)}},{key:"onListItemConnected",value:function(e){var t=e.target;this.layout(-1===this.items.indexOf(t))}},{key:"layout",value:function(){var e=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];e&&this.updateItems();var t,n=this.items[0],r=Pt(this.items);try{for(r.s();!(t=r.n()).done;){var i=t.value;i.tabindex=-1}}catch(o){r.e(o)}finally{r.f()}n&&(this.noninteractive?this.previousTabindex||(this.previousTabindex=n):n.tabindex=0)}},{key:"getFocusedItemIndex",value:function(){if(!this.mdcRoot)return-1;if(!this.items.length)return-1;var e=Object(Ae.b)();if(!e.length)return-1;for(var t=e.length-1;t>=0;t--){var n=e[t];if(Mt(n))return this.items.indexOf(n)}return-1}},{key:"focusItemAtIndex",value:function(e){var t,n=Pt(this.items);try{for(n.s();!(t=n.n()).done;){var r=t.value;if(0===r.tabindex){r.tabindex=-1;break}}}catch(i){n.e(i)}finally{n.f()}this.items[e].tabindex=0,this.items[e].focus()}},{key:"focus",value:function(){var e=this.mdcRoot;e&&e.focus()}},{key:"blur",value:function(){var e=this.mdcRoot;e&&e.blur()}},{key:"assignedElements",get:function(){var e=this.slotElement;return e?e.assignedNodes({flatten:!0}).filter(Ae.e):[]}},{key:"items",get:function(){return this.items_}},{key:"selected",get:function(){var e=this.index;if(!Et(e))return-1===e?null:this.items[e];var t,n=[],r=Pt(e);try{for(r.s();!(t=r.n()).done;){var i=t.value;n.push(this.items[i])}}catch(o){r.e(o)}finally{r.f()}return n}},{key:"index",get:function(){return this.mdcFoundation?this.mdcFoundation.getSelectedIndex():-1}}])&&It(n.prototype,r),i&&It(n,i),s}(Ce.a);function Ht(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['@keyframes mdc-ripple-fg-radius-in{from{animation-timing-function:cubic-bezier(0.4, 0, 0.2, 1);transform:translate(var(--mdc-ripple-fg-translate-start, 0)) scale(1)}to{transform:translate(var(--mdc-ripple-fg-translate-end, 0)) scale(var(--mdc-ripple-fg-scale, 1))}}@keyframes mdc-ripple-fg-opacity-in{from{animation-timing-function:linear;opacity:0}to{opacity:var(--mdc-ripple-fg-opacity, 0)}}@keyframes mdc-ripple-fg-opacity-out{from{animation-timing-function:linear;opacity:var(--mdc-ripple-fg-opacity, 0)}to{opacity:0}}:host{display:block}.mdc-list{-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;font-family:Roboto, sans-serif;font-family:var(--mdc-typography-subtitle1-font-family, var(--mdc-typography-font-family, Roboto, sans-serif));font-size:1rem;font-size:var(--mdc-typography-subtitle1-font-size, 1rem);line-height:1.75rem;line-height:var(--mdc-typography-subtitle1-line-height, 1.75rem);font-weight:400;font-weight:var(--mdc-typography-subtitle1-font-weight, 400);letter-spacing:0.009375em;letter-spacing:var(--mdc-typography-subtitle1-letter-spacing, 0.009375em);text-decoration:inherit;text-decoration:var(--mdc-typography-subtitle1-text-decoration, inherit);text-transform:inherit;text-transform:var(--mdc-typography-subtitle1-text-transform, inherit);line-height:1.5rem;margin:0;padding:8px 0;list-style-type:none;color:rgba(0,0,0,.87);color:var(--mdc-theme-text-primary-on-background, rgba(0, 0, 0, 0.87));padding:var(--mdc-list-vertical-padding, 8px) 0}.mdc-list:focus{outline:none}.mdc-list-item{height:48px}.mdc-list--dense{padding-top:4px;padding-bottom:4px;font-size:.812rem}.mdc-list ::slotted([divider]){height:0;margin:0;border:none;border-bottom-width:1px;border-bottom-style:solid;border-bottom-color:rgba(0,0,0,.12)}.mdc-list ::slotted([divider][padded]){margin:0 var(--mdc-list-side-padding, 16px)}.mdc-list ::slotted([divider][inset]){margin-left:var(--mdc-list-inset-margin, 72px);margin-right:0;width:calc(100% - var(--mdc-list-inset-margin, 72px))}.mdc-list-group[dir=rtl] .mdc-list ::slotted([divider][inset]),[dir=rtl] .mdc-list-group .mdc-list ::slotted([divider][inset]){margin-left:0;margin-right:var(--mdc-list-inset-margin, 72px)}.mdc-list ::slotted([divider][inset][padded]){width:calc(100% - var(--mdc-list-inset-margin, 72px) - var(--mdc-list-side-padding, 16px))}.mdc-list--dense ::slotted([mwc-list-item]){height:40px}.mdc-list--dense ::slotted([mwc-list]){--mdc-list-item-graphic-size: 20px}.mdc-list--two-line.mdc-list--dense ::slotted([mwc-list-item]),.mdc-list--avatar-list.mdc-list--dense ::slotted([mwc-list-item]){height:60px}.mdc-list--avatar-list.mdc-list--dense ::slotted([mwc-list]){--mdc-list-item-graphic-size: 36px}:host([noninteractive]){pointer-events:none;cursor:default}.mdc-list--dense ::slotted(.mdc-list-item__primary-text){display:block;margin-top:0;line-height:normal;margin-bottom:-20px}.mdc-list--dense ::slotted(.mdc-list-item__primary-text)::before{display:inline-block;width:0;height:24px;content:"";vertical-align:0}.mdc-list--dense ::slotted(.mdc-list-item__primary-text)::after{display:inline-block;width:0;height:20px;content:"";vertical-align:-20px}']);return Ht=function(){return e},e}Object(k.b)([Object(o.i)(".mdc-list")],Bt.prototype,"mdcRoot",void 0),Object(k.b)([Object(o.i)("slot")],Bt.prototype,"slotElement",void 0),Object(k.b)([Object(o.h)({type:Boolean}),Object(O.a)((function(e){this.mdcFoundation&&this.mdcFoundation.setUseActivatedClass(e)}))],Bt.prototype,"activatable",void 0),Object(k.b)([Object(o.h)({type:Boolean}),Object(O.a)((function(e,t){this.mdcFoundation&&this.mdcFoundation.setMulti(e),void 0!==t&&this.layout()}))],Bt.prototype,"multi",void 0),Object(k.b)([Object(o.h)({type:Boolean}),Object(O.a)((function(e){this.mdcFoundation&&this.mdcFoundation.setWrapFocus(e)}))],Bt.prototype,"wrapFocus",void 0),Object(k.b)([Object(o.h)({type:String}),Object(O.a)((function(e,t){void 0!==t&&this.updateItems()}))],Bt.prototype,"itemRoles",void 0),Object(k.b)([Object(o.h)({type:String})],Bt.prototype,"innerRole",void 0),Object(k.b)([Object(o.h)({type:String})],Bt.prototype,"innerAriaLabel",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bt.prototype,"rootTabbable",void 0),Object(k.b)([Object(o.h)({type:Boolean,reflect:!0}),Object(O.a)((function(e){var t=this.slotElement;if(e&&t){var n=Object(Ae.d)(t,'[tabindex="0"]');this.previousTabindex=n,n&&n.setAttribute("tabindex","-1")}else!e&&this.previousTabindex&&(this.previousTabindex.setAttribute("tabindex","0"),this.previousTabindex=null)}))],Bt.prototype,"noninteractive",void 0);var Vt=Object(o.c)(Ht());function Ut(e){return(Ut="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Kt(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function $t(e,t){return($t=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yt(e,t){return!t||"object"!==Ut(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function qt(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Wt(e){return(Wt=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var Gt=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&$t(e,t)}(r,e);var t,n=(t=r,function(){var e,n=Wt(t);if(qt()){var r=Wt(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return Yt(this,e)});function r(){return Kt(this,r),n.apply(this,arguments)}return r}(Bt);Gt.styles=Vt,Gt=Object(k.b)([Object(o.d)("mwc-list")],Gt);var Xt,Zt,Jt={ANCHOR:"mdc-menu-surface--anchor",ANIMATING_CLOSED:"mdc-menu-surface--animating-closed",ANIMATING_OPEN:"mdc-menu-surface--animating-open",FIXED:"mdc-menu-surface--fixed",IS_OPEN_BELOW:"mdc-menu-surface--is-open-below",OPEN:"mdc-menu-surface--open",ROOT:"mdc-menu-surface"},Qt={CLOSED_EVENT:"MDCMenuSurface:closed",OPENED_EVENT:"MDCMenuSurface:opened",FOCUSABLE_ELEMENTS:["button:not(:disabled)",'[href]:not([aria-disabled="true"])',"input:not(:disabled)","select:not(:disabled)","textarea:not(:disabled)",'[tabindex]:not([tabindex="-1"]):not([aria-disabled="true"])'].join(", ")},en={TRANSITION_OPEN_DURATION:120,TRANSITION_CLOSE_DURATION:75,MARGIN_TO_EDGE:32,ANCHOR_TO_MENU_SURFACE_WIDTH_RATIO:.67};!function(e){e[e.BOTTOM=1]="BOTTOM",e[e.CENTER=2]="CENTER",e[e.RIGHT=4]="RIGHT",e[e.FLIP_RTL=8]="FLIP_RTL"}(Xt||(Xt={})),function(e){e[e.TOP_LEFT=0]="TOP_LEFT",e[e.TOP_RIGHT=4]="TOP_RIGHT",e[e.BOTTOM_LEFT=1]="BOTTOM_LEFT",e[e.BOTTOM_RIGHT=5]="BOTTOM_RIGHT",e[e.TOP_START=8]="TOP_START",e[e.TOP_END=12]="TOP_END",e[e.BOTTOM_START=9]="BOTTOM_START",e[e.BOTTOM_END=13]="BOTTOM_END"}(Zt||(Zt={}));var tn,nn=function(e){function t(n){var r=e.call(this,Object(k.a)(Object(k.a)({},t.defaultAdapter),n))||this;return r.isSurfaceOpen=!1,r.isQuickOpen=!1,r.isHoistedElement=!1,r.isFixedPosition=!1,r.openAnimationEndTimerId=0,r.closeAnimationEndTimerId=0,r.animationRequestId=0,r.anchorCorner=Zt.TOP_START,r.originCorner=Zt.TOP_START,r.anchorMargin={top:0,right:0,bottom:0,left:0},r.position={x:0,y:0},r}return Object(k.c)(t,e),Object.defineProperty(t,"cssClasses",{get:function(){return Jt},enumerable:!0,configurable:!0}),Object.defineProperty(t,"strings",{get:function(){return Qt},enumerable:!0,configurable:!0}),Object.defineProperty(t,"numbers",{get:function(){return en},enumerable:!0,configurable:!0}),Object.defineProperty(t,"Corner",{get:function(){return Zt},enumerable:!0,configurable:!0}),Object.defineProperty(t,"defaultAdapter",{get:function(){return{addClass:function(){},removeClass:function(){},hasClass:function(){return!1},hasAnchor:function(){return!1},isElementInContainer:function(){return!1},isFocused:function(){return!1},isRtl:function(){return!1},getInnerDimensions:function(){return{height:0,width:0}},getAnchorDimensions:function(){return null},getWindowDimensions:function(){return{height:0,width:0}},getBodyDimensions:function(){return{height:0,width:0}},getWindowScroll:function(){return{x:0,y:0}},setPosition:function(){},setMaxHeight:function(){},setTransformOrigin:function(){},saveFocus:function(){},restoreFocus:function(){},notifyClose:function(){},notifyOpen:function(){}}},enumerable:!0,configurable:!0}),t.prototype.init=function(){var e=t.cssClasses,n=e.ROOT,r=e.OPEN;if(!this.adapter.hasClass(n))throw new Error(n+" class required in root element.");this.adapter.hasClass(r)&&(this.isSurfaceOpen=!0)},t.prototype.destroy=function(){clearTimeout(this.openAnimationEndTimerId),clearTimeout(this.closeAnimationEndTimerId),cancelAnimationFrame(this.animationRequestId)},t.prototype.setAnchorCorner=function(e){this.anchorCorner=e},t.prototype.flipCornerHorizontally=function(){this.originCorner=this.originCorner^Xt.RIGHT},t.prototype.setAnchorMargin=function(e){this.anchorMargin.top=e.top||0,this.anchorMargin.right=e.right||0,this.anchorMargin.bottom=e.bottom||0,this.anchorMargin.left=e.left||0},t.prototype.setIsHoisted=function(e){this.isHoistedElement=e},t.prototype.setFixedPosition=function(e){this.isFixedPosition=e},t.prototype.setAbsolutePosition=function(e,t){this.position.x=this.isFinite(e)?e:0,this.position.y=this.isFinite(t)?t:0},t.prototype.setQuickOpen=function(e){this.isQuickOpen=e},t.prototype.isOpen=function(){return this.isSurfaceOpen},t.prototype.open=function(){var e=this;this.isSurfaceOpen||(this.adapter.saveFocus(),this.isQuickOpen?(this.isSurfaceOpen=!0,this.adapter.addClass(t.cssClasses.OPEN),this.dimensions=this.adapter.getInnerDimensions(),this.autoposition(),this.adapter.notifyOpen()):(this.adapter.addClass(t.cssClasses.ANIMATING_OPEN),this.animationRequestId=requestAnimationFrame((function(){e.adapter.addClass(t.cssClasses.OPEN),e.dimensions=e.adapter.getInnerDimensions(),e.autoposition(),e.openAnimationEndTimerId=setTimeout((function(){e.openAnimationEndTimerId=0,e.adapter.removeClass(t.cssClasses.ANIMATING_OPEN),e.adapter.notifyOpen()}),en.TRANSITION_OPEN_DURATION)})),this.isSurfaceOpen=!0))},t.prototype.close=function(e){var n=this;void 0===e&&(e=!1),this.isSurfaceOpen&&(this.isQuickOpen?(this.isSurfaceOpen=!1,e||this.maybeRestoreFocus(),this.adapter.removeClass(t.cssClasses.OPEN),this.adapter.removeClass(t.cssClasses.IS_OPEN_BELOW),this.adapter.notifyClose()):(this.adapter.addClass(t.cssClasses.ANIMATING_CLOSED),requestAnimationFrame((function(){n.adapter.removeClass(t.cssClasses.OPEN),n.adapter.removeClass(t.cssClasses.IS_OPEN_BELOW),n.closeAnimationEndTimerId=setTimeout((function(){n.closeAnimationEndTimerId=0,n.adapter.removeClass(t.cssClasses.ANIMATING_CLOSED),n.adapter.notifyClose()}),en.TRANSITION_CLOSE_DURATION)})),this.isSurfaceOpen=!1,e||this.maybeRestoreFocus()))},t.prototype.handleBodyClick=function(e){var t=e.target;this.adapter.isElementInContainer(t)||this.close()},t.prototype.handleKeydown=function(e){var t=e.keyCode;("Escape"===e.key||27===t)&&this.close()},t.prototype.autoposition=function(){var e;this.measurements=this.getAutoLayoutmeasurements();var n=this.getoriginCorner(),r=this.getMenuSurfaceMaxHeight(n),i=this.hasBit(n,Xt.BOTTOM)?"bottom":"top",o=this.hasBit(n,Xt.RIGHT)?"right":"left",a=this.getHorizontalOriginOffset(n),s=this.getVerticalOriginOffset(n),c=this.measurements,l=c.anchorSize,u=c.surfaceSize,d=((e={})[o]=a,e[i]=s,e);l.width/u.width>en.ANCHOR_TO_MENU_SURFACE_WIDTH_RATIO&&(o="center"),(this.isHoistedElement||this.isFixedPosition)&&this.adjustPositionForHoistedElement(d),this.adapter.setTransformOrigin(o+" "+i),this.adapter.setPosition(d),this.adapter.setMaxHeight(r?r+"px":""),this.hasBit(n,Xt.BOTTOM)||this.adapter.addClass(t.cssClasses.IS_OPEN_BELOW)},t.prototype.getAutoLayoutmeasurements=function(){var e=this.adapter.getAnchorDimensions(),t=this.adapter.getBodyDimensions(),n=this.adapter.getWindowDimensions(),r=this.adapter.getWindowScroll();return e||(e={top:this.position.y,right:this.position.x,bottom:this.position.y,left:this.position.x,width:0,height:0}),{anchorSize:e,bodySize:t,surfaceSize:this.dimensions,viewportDistance:{top:e.top,right:n.width-e.right,bottom:n.height-e.bottom,left:e.left},viewportSize:n,windowScroll:r}},t.prototype.getoriginCorner=function(){var e,n,r=this.originCorner,i=this.measurements,o=i.viewportDistance,a=i.anchorSize,s=i.surfaceSize,c=t.numbers.MARGIN_TO_EDGE;this.hasBit(this.anchorCorner,Xt.BOTTOM)?(e=o.top-c+a.height+this.anchorMargin.bottom,n=o.bottom-c-this.anchorMargin.bottom):(e=o.top-c+this.anchorMargin.top,n=o.bottom-c+a.height-this.anchorMargin.top),!(n-s.height>0)&&e>=n&&(r=this.setBit(r,Xt.BOTTOM));var l,u,d=this.adapter.isRtl(),f=this.hasBit(this.anchorCorner,Xt.FLIP_RTL),p=this.hasBit(this.anchorCorner,Xt.RIGHT),h=!1;(h=d&&f?!p:p)?(l=o.left+a.width+this.anchorMargin.right,u=o.right-this.anchorMargin.right):(l=o.left+this.anchorMargin.left,u=o.right+a.width-this.anchorMargin.left);var m=l-s.width>0,y=u-s.width>0,v=this.hasBit(r,Xt.FLIP_RTL)&&this.hasBit(r,Xt.RIGHT);return y&&v&&d||!m&&v?r=this.unsetBit(r,Xt.RIGHT):(m&&h&&d||m&&!h&&p||!y&&l>=u)&&(r=this.setBit(r,Xt.RIGHT)),r},t.prototype.getMenuSurfaceMaxHeight=function(e){var n=this.measurements.viewportDistance,r=0,i=this.hasBit(e,Xt.BOTTOM),o=this.hasBit(this.anchorCorner,Xt.BOTTOM),a=t.numbers.MARGIN_TO_EDGE;return i?(r=n.top+this.anchorMargin.top-a,o||(r+=this.measurements.anchorSize.height)):(r=n.bottom-this.anchorMargin.bottom+this.measurements.anchorSize.height-a,o&&(r-=this.measurements.anchorSize.height)),r},t.prototype.getHorizontalOriginOffset=function(e){var t=this.measurements.anchorSize,n=this.hasBit(e,Xt.RIGHT),r=this.hasBit(this.anchorCorner,Xt.RIGHT);if(n){var i=r?t.width-this.anchorMargin.left:this.anchorMargin.right;return this.isHoistedElement||this.isFixedPosition?i-(this.measurements.viewportSize.width-this.measurements.bodySize.width):i}return r?t.width-this.anchorMargin.right:this.anchorMargin.left},t.prototype.getVerticalOriginOffset=function(e){var t=this.measurements.anchorSize,n=this.hasBit(e,Xt.BOTTOM),r=this.hasBit(this.anchorCorner,Xt.BOTTOM);return n?r?t.height-this.anchorMargin.top:-this.anchorMargin.bottom:r?t.height+this.anchorMargin.bottom:this.anchorMargin.top},t.prototype.adjustPositionForHoistedElement=function(e){var t,n,r=this.measurements,i=r.windowScroll,o=r.viewportDistance,a=Object.keys(e);try{for(var s=Object(k.e)(a),c=s.next();!c.done;c=s.next()){var l=c.value,u=e[l]||0;u+=o[l],this.isFixedPosition||("top"===l?u+=i.y:"bottom"===l?u-=i.y:"left"===l?u+=i.x:u-=i.x),e[l]=u}}catch(d){t={error:d}}finally{try{c&&!c.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}},t.prototype.maybeRestoreFocus=function(){var e=this.adapter.isFocused(),t=document.activeElement&&this.adapter.isElementInContainer(document.activeElement);(e||t)&&this.adapter.restoreFocus()},t.prototype.hasBit=function(e,t){return Boolean(e&t)},t.prototype.setBit=function(e,t){return e|t},t.prototype.unsetBit=function(e,t){return e^t},t.prototype.isFinite=function(e){return"number"==typeof e&&isFinite(e)},t}(Te.a),rn=nn;function on(e){return(on="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function an(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n =0&&t.adapter.isSelectableItemAtIndex(n)&&t.setSelectedIndex(n)}),nn.numbers.TRANSITION_CLOSE_DURATION))},t.prototype.handleMenuSurfaceOpened=function(){switch(this.defaultFocusState_){case xn.FIRST_ITEM:this.adapter.focusItemAtIndex(0);break;case xn.LAST_ITEM:this.adapter.focusItemAtIndex(this.adapter.getMenuItemCount()-1);break;case xn.NONE:break;default:this.adapter.focusListRoot()}},t.prototype.setDefaultFocusState=function(e){this.defaultFocusState_=e},t.prototype.setSelectedIndex=function(e){if(this.validatedIndex_(e),!this.adapter.isSelectableItemAtIndex(e))throw new Error("MDCMenuFoundation: No selection group at specified index.");var t=this.adapter.getSelectedSiblingOfItemAtIndex(e);t>=0&&(this.adapter.removeAttributeFromElementAtIndex(t,Sn.ARIA_CHECKED_ATTR),this.adapter.removeClassFromElementAtIndex(t,En.MENU_SELECTED_LIST_ITEM)),this.adapter.addClassToElementAtIndex(e,En.MENU_SELECTED_LIST_ITEM),this.adapter.addAttributeToElementAtIndex(e,Sn.ARIA_CHECKED_ATTR,"true")},t.prototype.setEnabled=function(e,t){this.validatedIndex_(e),t?(this.adapter.removeClassFromElementAtIndex(e,ut),this.adapter.addAttributeToElementAtIndex(e,Sn.ARIA_DISABLED_ATTR,"false")):(this.adapter.addClassToElementAtIndex(e,ut),this.adapter.addAttributeToElementAtIndex(e,Sn.ARIA_DISABLED_ATTR,"true"))},t.prototype.validatedIndex_=function(e){var t=this.adapter.getMenuItemCount();if(!(e>=0&&e0&&void 0!==arguments[0])||arguments[0],t=this.listElement;t&&t.layout(e)}},{key:"listElement",get:function(){return this.listElement_||(this.listElement_=this.renderRoot.querySelector("mwc-list")),this.listElement_}},{key:"items",get:function(){var e=this.listElement;return e?e.items:[]}},{key:"index",get:function(){var e=this.listElement;return e?e.index:-1}},{key:"selected",get:function(){var e=this.listElement;return e?e.selected:null}}])&&Dn(n.prototype,r),i&&Dn(n,i),l}(Ce.a);function Hn(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["mwc-list ::slotted([mwc-list-item]:not([twoline])){height:var(--mdc-menu-item-height, 48px)}mwc-list{max-width:var(--mdc-menu-max-width, auto);min-width:var(--mdc-menu-min-width, auto)}"]);return Hn=function(){return e},e}Object(k.b)([Object(o.i)(".mdc-menu")],Bn.prototype,"mdcRoot",void 0),Object(k.b)([Object(o.i)("slot")],Bn.prototype,"slotElement",void 0),Object(k.b)([Object(o.h)({type:Object})],Bn.prototype,"anchor",void 0),Object(k.b)([Object(o.h)({type:Boolean,reflect:!0})],Bn.prototype,"open",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"quick",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"wrapFocus",void 0),Object(k.b)([Object(o.h)({type:String})],Bn.prototype,"innerRole",void 0),Object(k.b)([Object(o.h)({type:String})],Bn.prototype,"corner",void 0),Object(k.b)([Object(o.h)({type:Number})],Bn.prototype,"x",void 0),Object(k.b)([Object(o.h)({type:Number})],Bn.prototype,"y",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"absolute",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"multi",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"activatable",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"fixed",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"forceGroupSelection",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"fullwidth",void 0),Object(k.b)([Object(o.h)({type:String})],Bn.prototype,"menuCorner",void 0),Object(k.b)([Object(o.h)({type:String}),Object(O.a)((function(e){this.mdcFoundation&&this.mdcFoundation.setDefaultFocusState(xn[e])}))],Bn.prototype,"defaultFocus",void 0);var Vn=Object(o.c)(Hn());function Un(e){return(Un="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Kn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function $n(e,t){return($n=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yn(e,t){return!t||"object"!==Un(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function qn(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Wn(e){return(Wn=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var Gn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&$n(e,t)}(r,e);var t,n=(t=r,function(){var e,n=Wn(t);if(qn()){var r=Wn(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return Yn(this,e)});function r(){return Kn(this,r),n.apply(this,arguments)}return r}(Bn);Gn.styles=Vn,Gn=Object(k.b)([Object(o.d)("mwc-menu")],Gn);n(108);function Xn(e){return(Xn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Zn(){var e=Qn(["\n :host {\n display: inline-block;\n position: relative;\n }\n "]);return Zn=function(){return e},e}function Jn(){var e=Qn(["\n
\n
\n e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var n=0,r=new Array(t);n0&&void 0!==arguments[0]?arguments[0]:3,t=new Map;return{get:function(n){var r=n.match(Vr).length;if(t.has(r))return t.get(r);var i=parseFloat((1/Math.sqrt(r)).toFixed(e));return t.set(r,i),i},clear:function(){t.clear()}}}var Kr=function(){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.getFn,r=void 0===n?Hr.getFn:n;jr(this,e),this.norm=Ur(3),this.getFn=r,this.isCreated=!1,this.setRecords()}return Ar(e,[{key:"setCollection",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.docs=e}},{key:"setRecords",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.records=e}},{key:"setKeys",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.keys=e}},{key:"create",value:function(){var e=this;!this.isCreated&&this.docs.length&&(this.isCreated=!0,Rr(this.docs[0])?this.docs.forEach((function(t,n){e._addString(t,n)})):this.docs.forEach((function(t,n){e._addObject(t,n)})),this.norm.clear())}},{key:"add",value:function(e){var t=this.size();Rr(e)?this._addString(e,t):this._addObject(e,t)}},{key:"removeAt",value:function(e){this.records.splice(e,1);for(var t=e,n=this.size();t2&&void 0!==arguments[2]?arguments[2]:{},r=n.getFn,i=void 0===r?Hr.getFn:r,o=new Kr({getFn:i});return o.setKeys(e),o.setCollection(t),o.create(),o}function Yr(e,t){var n=e.matches;t.matches=[],Dr(n)&&n.forEach((function(e){if(Dr(e.indices)&&e.indices.length){var n={indices:e.indices,value:e.value};e.key&&(n.key=e.key),e.idx>-1&&(n.refIndex=e.idx),t.matches.push(n)}}))}function qr(e,t){t.score=e.score}function Wr(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.errors,r=void 0===n?0:n,i=t.currentLocation,o=void 0===i?0:i,a=t.expectedLocation,s=void 0===a?0:a,c=t.distance,l=void 0===c?Hr.distance:c,u=r/e.length,d=Math.abs(s-o);return l?u+d/l:d?1:u}function Gr(){for(var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Hr.minMatchCharLength,n=[],r=-1,i=-1,o=0,a=e.length;o=t&&n.push([r,i]),r=-1)}return e[o-1]&&o-r>=t&&n.push([r,o-1]),n}function Xr(e){for(var t={},n=e.length,r=0;r1&&void 0!==arguments[1]?arguments[1]:{},r=n.location,i=void 0===r?Hr.location:r,o=n.threshold,a=void 0===o?Hr.threshold:o,s=n.distance,c=void 0===s?Hr.distance:s,l=n.includeMatches,u=void 0===l?Hr.includeMatches:l,d=n.findAllMatches,f=void 0===d?Hr.findAllMatches:d,p=n.minMatchCharLength,h=void 0===p?Hr.minMatchCharLength:p,m=n.isCaseSensitive,y=void 0===m?Hr.isCaseSensitive:m;jr(this,e),this.options={location:i,threshold:a,distance:c,includeMatches:u,findAllMatches:f,minMatchCharLength:h,isCaseSensitive:y},this.pattern=y?t:t.toLowerCase(),this.chunks=[];for(var v=0;v3&&void 0!==arguments[3]?arguments[3]:{},i=r.location,o=void 0===i?Hr.location:i,a=r.distance,s=void 0===a?Hr.distance:a,c=r.threshold,l=void 0===c?Hr.threshold:c,u=r.findAllMatches,d=void 0===u?Hr.findAllMatches:u,f=r.minMatchCharLength,p=void 0===f?Hr.minMatchCharLength:f,h=r.includeMatches,m=void 0===h?Hr.includeMatches:h;if(t.length>32)throw new Error(Lr(32));var y,v=t.length,b=e.length,g=Math.max(0,Math.min(o,b)),_=l,w=g,k=[];if(m)for(var O=0;O-1;){var x=Wr(t,{currentLocation:y,expectedLocation:g,distance:s});if(_=Math.min(x,_),w=y+v,m)for(var E=0;E=D;L-=1){var N=L-1,M=n[e.charAt(N)];if(M&&m&&(k[N]=1),F[L]=(F[L+1]<<1|1)&M,0!==P&&(F[L]|=(S[L+1]|S[L])<<1|1|S[L+1]),F[L]&A&&(j=Wr(t,{errors:P,currentLocation:N,expectedLocation:g,distance:s}))<=_){if(_=j,(w=N)<=g)break;D=Math.max(1,2*g-w)}}var B=Wr(t,{errors:P+1,currentLocation:g,expectedLocation:g,distance:s});if(B>_)break;S=F}var H={isMatch:w>=0,score:Math.max(.001,j)};return m&&(H.indices=Gr(k,p)),H}(e,i,o,{location:a+32*n,distance:s,threshold:c,findAllMatches:l,minMatchCharLength:u,includeMatches:r}),m=h.isMatch,y=h.score,v=h.indices;m&&(p=!0),f+=y,m&&v&&(d=[].concat(Er(d),Er(v)))}));var h={isMatch:p,score:p?f/this.chunks.length:1};return p&&r&&(h.indices=d),h}}]),e}(),Jr=function(){function e(t){jr(this,e),this.pattern=t}return Ar(e,[{key:"search",value:function(){}}],[{key:"isMultiMatch",value:function(e){return Qr(e,this.multiRegex)}},{key:"isSingleMatch",value:function(e){return Qr(e,this.singleRegex)}}]),e}();function Qr(e,t){var n=e.match(t);return n?n[1]:null}var ei=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){for(var t,n=0,r=[],i=this.pattern.length;(t=e.indexOf(this.pattern,n))>-1;)n=t+i,r.push([t,n-1]);var o=!!r.length;return{isMatch:o,score:o?1:0,indices:r}}}],[{key:"type",get:function(){return"exact"}},{key:"multiRegex",get:function(){return/^'"(.*)"$/}},{key:"singleRegex",get:function(){return/^'(.*)$/}}]),n}(Jr),ti=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=-1===e.indexOf(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}}],[{key:"type",get:function(){return"inverse-exact"}},{key:"multiRegex",get:function(){return/^!"(.*)"$/}},{key:"singleRegex",get:function(){return/^!(.*)$/}}]),n}(Jr),ni=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=e.startsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,this.pattern.length-1]}}}],[{key:"type",get:function(){return"prefix-exact"}},{key:"multiRegex",get:function(){return/^\^"(.*)"$/}},{key:"singleRegex",get:function(){return/^\^(.*)$/}}]),n}(Jr),ri=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=!e.startsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}}],[{key:"type",get:function(){return"inverse-prefix-exact"}},{key:"multiRegex",get:function(){return/^!\^"(.*)"$/}},{key:"singleRegex",get:function(){return/^!\^(.*)$/}}]),n}(Jr),ii=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=e.endsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[e.length-this.pattern.length,e.length-1]}}}],[{key:"type",get:function(){return"suffix-exact"}},{key:"multiRegex",get:function(){return/^"(.*)"\$$/}},{key:"singleRegex",get:function(){return/^(.*)\$$/}}]),n}(Jr),oi=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=!e.endsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}}],[{key:"type",get:function(){return"inverse-suffix-exact"}},{key:"multiRegex",get:function(){return/^!"(.*)"\$$/}},{key:"singleRegex",get:function(){return/^!(.*)\$$/}}]),n}(Jr),ai=function(e){gr(n,e);var t=wr(n);function n(e){var r,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},o=i.location,a=void 0===o?Hr.location:o,s=i.threshold,c=void 0===s?Hr.threshold:s,l=i.distance,u=void 0===l?Hr.distance:l,d=i.includeMatches,f=void 0===d?Hr.includeMatches:d,p=i.findAllMatches,h=void 0===p?Hr.findAllMatches:p,m=i.minMatchCharLength,y=void 0===m?Hr.minMatchCharLength:m,v=i.isCaseSensitive,b=void 0===v?Hr.isCaseSensitive:v;return jr(this,n),(r=t.call(this,e))._bitapSearch=new Zr(e,{location:a,threshold:c,distance:u,includeMatches:f,findAllMatches:h,minMatchCharLength:y,isCaseSensitive:b}),r}return Ar(n,[{key:"search",value:function(e){return this._bitapSearch.searchIn(e)}}],[{key:"type",get:function(){return"fuzzy"}},{key:"multiRegex",get:function(){return/^"(.*)"$/}},{key:"singleRegex",get:function(){return/^(.*)$/}}]),n}(Jr),si=[ei,ni,ri,oi,ii,ti,ai],ci=si.length,li=/ +(?=([^\"]*\"[^\"]*\")*[^\"]*$)/;function ui(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return e.split("|").map((function(e){for(var n=e.trim().split(li).filter((function(e){return e&&!!e.trim()})),r=[],i=0,o=n.length;i1&&void 0!==arguments[1]?arguments[1]:{},r=n.isCaseSensitive,i=void 0===r?Hr.isCaseSensitive:r,o=n.includeMatches,a=void 0===o?Hr.includeMatches:o,s=n.minMatchCharLength,c=void 0===s?Hr.minMatchCharLength:s,l=n.findAllMatches,u=void 0===l?Hr.findAllMatches:l,d=n.location,f=void 0===d?Hr.location:d,p=n.threshold,h=void 0===p?Hr.threshold:p,m=n.distance,y=void 0===m?Hr.distance:m;jr(this,e),this.query=null,this.options={isCaseSensitive:i,includeMatches:a,minMatchCharLength:c,findAllMatches:u,location:f,threshold:h,distance:y},this.pattern=i?t:t.toLowerCase(),this.query=ui(this.pattern,this.options)}return Ar(e,[{key:"searchIn",value:function(e){var t=this.query;if(!t)return{isMatch:!1,score:1};var n=this.options,r=n.includeMatches;e=n.isCaseSensitive?e:e.toLowerCase();for(var i=0,o=[],a=0,s=0,c=t.length;s2&&void 0!==arguments[2]?arguments[2]:{},r=n.auto,i=void 0===r||r,o=function e(n){var r=Object.keys(n);if(r.length>1&&!vi(n))return e(gi(n));var o=r[0];if(bi(n)){var a=n[o];if(!Rr(a))throw new Error(Fr(o));var s={key:o,pattern:a};return i&&(s.searcher=hi(a,t)),s}var c={children:[],operator:o};return r.forEach((function(t){var r=n[t];Tr(r)&&r.forEach((function(t){c.children.push(e(t))}))})),c};return vi(e)||(e=gi(e)),o(e)}var wi=function(){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=arguments.length>2?arguments[2]:void 0;jr(this,e),this.options=Object.assign({},Hr,{},n),this.options.useExtendedSearch,this._keyStore=new Mr(this.options.keys),this.setCollection(t,r)}return Ar(e,[{key:"setCollection",value:function(e,t){if(this._docs=e,t&&!(t instanceof Kr))throw new Error("Incorrect 'index' type");this._myIndex=t||$r(this._keyStore.keys(),this._docs,{getFn:this.options.getFn})}},{key:"add",value:function(e){Dr(e)&&(this._docs.push(e),this._myIndex.add(e))}},{key:"removeAt",value:function(e){this._docs.splice(e,1),this._myIndex.removeAt(e)}},{key:"getIndex",value:function(){return this._myIndex}},{key:"search",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.limit,r=void 0===n?-1:n,i=this.options,o=i.includeMatches,a=i.includeScore,s=i.shouldSort,c=i.sortFn,l=Rr(e)?Rr(this._docs[0])?this._searchStringList(e):this._searchObjectList(e):this._searchLogical(e);return ki(l,this._keyStore),s&&l.sort(c),Ir(r)&&r>-1&&(l=l.slice(0,r)),Oi(l,this._docs,{includeMatches:o,includeScore:a})}},{key:"_searchStringList",value:function(e){var t=hi(e,this.options),n=this._myIndex.records,r=[];return n.forEach((function(e){var n=e.v,i=e.i,o=e.n;if(Dr(n)){var a=t.searchIn(n),s=a.isMatch,c=a.score,l=a.indices;s&&r.push({item:n,idx:i,matches:[{score:c,value:n,norm:o,indices:l}]})}})),r}},{key:"_searchLogical",value:function(e){var t=this,n=_i(e,this.options),r=this._myIndex,i=r.keys,o=r.records,a={},s=[];return o.forEach((function(e){var r=e.$,o=e.i;Dr(r)&&function e(n,r,o){if(!n.children){var c=n.key,l=n.searcher,u=r[i.indexOf(c)];return t._findMatches({key:c,value:u,searcher:l})}for(var d=n.operator,f=[],p=0;p2&&void 0!==arguments[2]?arguments[2]:{},r=n.includeMatches,i=void 0===r?Hr.includeMatches:r,o=n.includeScore,a=void 0===o?Hr.includeScore:o,s=[];return i&&s.push(Yr),a&&s.push(qr),e.map((function(e){var n=e.idx,r={item:t[n],refIndex:n};return s.length&&s.forEach((function(t){t(e,r)})),r}))}wi.version="6.0.0",wi.createIndex=$r,wi.parseIndex=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.getFn,r=void 0===n?Hr.getFn:n,i=e.keys,o=e.records,a=new Kr({getFn:r});return a.setKeys(i),a.setRecords(o),a},wi.config=Hr,wi.parseQuery=_i,function(){pi.push.apply(pi,arguments)}(fi);var xi=wi;var Ei=n(27);function Si(e){return(Si="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ji(){var e=Ti(["\n ha-card {\n cursor: pointer;\n }\n .not_available {\n opacity: 0.6;\n }\n a.repo {\n color: var(--primary-text-color);\n }\n "]);return ji=function(){return e},e}function Ci(){var e=Ti(["\n \n \n

\n ','\n

\n
\n ',"\n
\n \n "]);return Ai=function(){return e},e}function Pi(){var e=Ti(['\n
\n

\n No results found in "','."\n

\n
\n ']);return Pi=function(){return e},e}function Ti(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function Ri(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Ii(e,t){return(Ii=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Di(e,t){return!t||"object"!==Si(t)&&"function"!=typeof t?zi(e):t}function zi(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Fi(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Li(e){return(Li=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Ni(e){var t,n=Ui(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function Mi(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Bi(e){return e.decorators&&e.decorators.length}function Hi(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Vi(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function Ui(e){var t=function(e,t){if("object"!==Si(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==Si(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===Si(t)?t:String(t)}function Ki(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n Missing add-ons? Enable advanced mode on\n
\n your profile page\n \n .\n \n ']);return Wi=function(){return e},e}function Gi(){var e=Qi(['\n ']);return p=function(){return e},e}function h(){var e=v([""]);return h=function(){return e},e}function m(){var e=v(['\n \n ']);return m=function(){return e},e}function y(){var e=v(["",""]);return y=function(){return e},e}function v(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function b(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function g(e,t){for(var n=0;ne.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n paper-item-body {\n padding-right: 16px;\n }\n \n \n
\n \n \n ']);return a=function(){return e},e}function s(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function c(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function l(e,t){return(l=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function u(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?d(e):t}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function f(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e){var t,n=g(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function m(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function y(e){return e.decorators&&e.decorators.length}function v(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function b(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function g(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n \n",document.head.appendChild(r.content);var i=n(4),o=n(5),a=n(56),s=n(28),c=[a.a,s.a,{hostAttributes:{role:"option",tabindex:"0"}}];function l(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n \n']);return l=function(){return e},e}Object(i.a)({_template:Object(o.a)(l()),is:"paper-item",behaviors:[c]})},,function(e,t){},function(e,t,n){"use strict";n(3);var r=n(5);function i(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n\n \n']);return i=function(){return e},e}var o=Object(r.a)(i());o.setAttribute("style","display: none;"),document.head.appendChild(o.content)},function(e,t,n){"use strict";n(54);var r=n(0);n(95);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(){var e=s(["\n :host {\n display: inline-block;\n outline: none;\n }\n :host([disabled]) {\n pointer-events: none;\n }\n mwc-icon-button {\n --mdc-theme-on-primary: currentColor;\n --mdc-theme-text-disabled-on-light: var(--disabled-text-color);\n }\n ha-icon {\n --ha-icon-display: inline;\n }\n "]);return o=function(){return e},e}function a(){var e=s(["\n \n \n \n "]);return a=function(){return e},e}function s(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function c(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function l(e,t){return(l=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function u(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?d(e):t}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function f(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e){var t,n=g(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function m(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function y(e){return e.decorators&&e.decorators.length}function v(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function b(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function g(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n :host {\n @apply --layout-inline;\n @apply --layout-center-center;\n position: relative;\n\n vertical-align: middle;\n\n fill: var(--iron-icon-fill-color, currentcolor);\n stroke: var(--iron-icon-stroke-color, none);\n\n width: var(--iron-icon-width, 24px);\n height: var(--iron-icon-height, 24px);\n @apply --iron-icon;\n }\n\n :host([hidden]) {\n display: none;\n }\n \n"]);return s=function(){return e},e}Object(r.a)({_template:Object(o.a)(s()),is:"iron-icon",properties:{icon:{type:String},theme:{type:String},src:{type:String},_meta:{value:a.a.create("iron-meta",{type:"iconset"})}},observers:["_updateIcon(_meta, isAttached)","_updateIcon(theme, isAttached)","_srcChanged(src, isAttached)","_iconChanged(icon, isAttached)"],_DEFAULT_ICONSET:"icons",_iconChanged:function(e){var t=(e||"").split(":");this._iconName=t.pop(),this._iconsetName=t.pop()||this._DEFAULT_ICONSET,this._updateIcon()},_srcChanged:function(e){this._updateIcon()},_usesIconset:function(){return this.icon||!this.src},_updateIcon:function(){this._usesIconset()?(this._img&&this._img.parentNode&&Object(i.a)(this.root).removeChild(this._img),""===this._iconName?this._iconset&&this._iconset.removeIcon(this):this._iconsetName&&this._meta&&(this._iconset=this._meta.byKey(this._iconsetName),this._iconset?(this._iconset.applyIcon(this,this._iconName,this.theme),this.unlisten(window,"iron-iconset-added","_updateIcon")):this.listen(window,"iron-iconset-added","_updateIcon"))):(this._iconset&&this._iconset.removeIcon(this),this._img||(this._img=document.createElement("img"),this._img.style.width="100%",this._img.style.height="100%",this._img.draggable=!1),this._img.src=this.src,Object(i.a)(this.root).appendChild(this._img))}})},function(e,t,n){"use strict";n(3),n(53),n(36),n(63);var r=n(4),i=n(5);function o(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \n\n \n"]);return o=function(){return e},e}Object(r.a)({_template:Object(i.a)(o()),is:"paper-item-body"})},function(e,t,n){"use strict";n(3);var r=n(25),i=n(4),o=n(2),a=n(5);function s(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n\n
\n
\n']);return s=function(){return e},e}var c={distance:function(e,t,n,r){var i=e-n,o=t-r;return Math.sqrt(i*i+o*o)},now:window.performance&&window.performance.now?window.performance.now.bind(window.performance):Date.now};function l(e){this.element=e,this.width=this.boundingRect.width,this.height=this.boundingRect.height,this.size=Math.max(this.width,this.height)}function u(e){this.element=e,this.color=window.getComputedStyle(e).color,this.wave=document.createElement("div"),this.waveContainer=document.createElement("div"),this.wave.style.backgroundColor=this.color,this.wave.classList.add("wave"),this.waveContainer.classList.add("wave-container"),Object(o.a)(this.waveContainer).appendChild(this.wave),this.resetInteractionState()}l.prototype={get boundingRect(){return this.element.getBoundingClientRect()},furthestCornerDistanceFrom:function(e,t){var n=c.distance(e,t,0,0),r=c.distance(e,t,this.width,0),i=c.distance(e,t,0,this.height),o=c.distance(e,t,this.width,this.height);return Math.max(n,r,i,o)}},u.MAX_RADIUS=300,u.prototype={get recenters(){return this.element.recenters},get center(){return this.element.center},get mouseDownElapsed(){var e;return this.mouseDownStart?(e=c.now()-this.mouseDownStart,this.mouseUpStart&&(e-=this.mouseUpElapsed),e):0},get mouseUpElapsed(){return this.mouseUpStart?c.now()-this.mouseUpStart:0},get mouseDownElapsedSeconds(){return this.mouseDownElapsed/1e3},get mouseUpElapsedSeconds(){return this.mouseUpElapsed/1e3},get mouseInteractionSeconds(){return this.mouseDownElapsedSeconds+this.mouseUpElapsedSeconds},get initialOpacity(){return this.element.initialOpacity},get opacityDecayVelocity(){return this.element.opacityDecayVelocity},get radius(){var e=this.containerMetrics.width*this.containerMetrics.width,t=this.containerMetrics.height*this.containerMetrics.height,n=1.1*Math.min(Math.sqrt(e+t),u.MAX_RADIUS)+5,r=1.1-n/u.MAX_RADIUS*.2,i=this.mouseInteractionSeconds/r,o=n*(1-Math.pow(80,-i));return Math.abs(o)},get opacity(){return this.mouseUpStart?Math.max(0,this.initialOpacity-this.mouseUpElapsedSeconds*this.opacityDecayVelocity):this.initialOpacity},get outerOpacity(){var e=.3*this.mouseUpElapsedSeconds,t=this.opacity;return Math.max(0,Math.min(e,t))},get isOpacityFullyDecayed(){return this.opacity<.01&&this.radius>=Math.min(this.maxRadius,u.MAX_RADIUS)},get isRestingAtMaxRadius(){return this.opacity>=this.initialOpacity&&this.radius>=Math.min(this.maxRadius,u.MAX_RADIUS)},get isAnimationComplete(){return this.mouseUpStart?this.isOpacityFullyDecayed:this.isRestingAtMaxRadius},get translationFraction(){return Math.min(1,this.radius/this.containerMetrics.size*2/Math.sqrt(2))},get xNow(){return this.xEnd?this.xStart+this.translationFraction*(this.xEnd-this.xStart):this.xStart},get yNow(){return this.yEnd?this.yStart+this.translationFraction*(this.yEnd-this.yStart):this.yStart},get isMouseDown(){return this.mouseDownStart&&!this.mouseUpStart},resetInteractionState:function(){this.maxRadius=0,this.mouseDownStart=0,this.mouseUpStart=0,this.xStart=0,this.yStart=0,this.xEnd=0,this.yEnd=0,this.slideDistance=0,this.containerMetrics=new l(this.element)},draw:function(){var e,t,n;this.wave.style.opacity=this.opacity,e=this.radius/(this.containerMetrics.size/2),t=this.xNow-this.containerMetrics.width/2,n=this.yNow-this.containerMetrics.height/2,this.waveContainer.style.webkitTransform="translate("+t+"px, "+n+"px)",this.waveContainer.style.transform="translate3d("+t+"px, "+n+"px, 0)",this.wave.style.webkitTransform="scale("+e+","+e+")",this.wave.style.transform="scale3d("+e+","+e+",1)"},downAction:function(e){var t=this.containerMetrics.width/2,n=this.containerMetrics.height/2;this.resetInteractionState(),this.mouseDownStart=c.now(),this.center?(this.xStart=t,this.yStart=n,this.slideDistance=c.distance(this.xStart,this.yStart,this.xEnd,this.yEnd)):(this.xStart=e?e.detail.x-this.containerMetrics.boundingRect.left:this.containerMetrics.width/2,this.yStart=e?e.detail.y-this.containerMetrics.boundingRect.top:this.containerMetrics.height/2),this.recenters&&(this.xEnd=t,this.yEnd=n,this.slideDistance=c.distance(this.xStart,this.yStart,this.xEnd,this.yEnd)),this.maxRadius=this.containerMetrics.furthestCornerDistanceFrom(this.xStart,this.yStart),this.waveContainer.style.top=(this.containerMetrics.height-this.containerMetrics.size)/2+"px",this.waveContainer.style.left=(this.containerMetrics.width-this.containerMetrics.size)/2+"px",this.waveContainer.style.width=this.containerMetrics.size+"px",this.waveContainer.style.height=this.containerMetrics.size+"px"},upAction:function(e){this.isMouseDown&&(this.mouseUpStart=c.now())},remove:function(){Object(o.a)(this.waveContainer.parentNode).removeChild(this.waveContainer)}},Object(i.a)({_template:Object(a.a)(s()),is:"paper-ripple",behaviors:[r.a],properties:{initialOpacity:{type:Number,value:.25},opacityDecayVelocity:{type:Number,value:.8},recenters:{type:Boolean,value:!1},center:{type:Boolean,value:!1},ripples:{type:Array,value:function(){return[]}},animating:{type:Boolean,readOnly:!0,reflectToAttribute:!0,value:!1},holdDown:{type:Boolean,value:!1,observer:"_holdDownChanged"},noink:{type:Boolean,value:!1},_animating:{type:Boolean},_boundAnimate:{type:Function,value:function(){return this.animate.bind(this)}}},get target(){return this.keyEventTarget},keyBindings:{"enter:keydown":"_onEnterKeydown","space:keydown":"_onSpaceKeydown","space:keyup":"_onSpaceKeyup"},attached:function(){11==this.parentNode.nodeType?this.keyEventTarget=Object(o.a)(this).getOwnerRoot().host:this.keyEventTarget=this.parentNode;var e=this.keyEventTarget;this.listen(e,"up","uiUpAction"),this.listen(e,"down","uiDownAction")},detached:function(){this.unlisten(this.keyEventTarget,"up","uiUpAction"),this.unlisten(this.keyEventTarget,"down","uiDownAction"),this.keyEventTarget=null},get shouldKeepAnimating(){for(var e=0;e0||(this.addRipple().downAction(e),this._animating||(this._animating=!0,this.animate()))},uiUpAction:function(e){this.noink||this.upAction(e)},upAction:function(e){this.holdDown||(this.ripples.forEach((function(t){t.upAction(e)})),this._animating=!0,this.animate())},onAnimationComplete:function(){this._animating=!1,this.$.background.style.backgroundColor=null,this.fire("transitionend")},addRipple:function(){var e=new u(this);return Object(o.a)(this.$.waves).appendChild(e.waveContainer),this.$.background.style.backgroundColor=e.color,this.ripples.push(e),this._setAnimating(!0),e},removeRipple:function(e){var t=this.ripples.indexOf(e);t<0||(this.ripples.splice(t,1),e.remove(),this.ripples.length||this._setAnimating(!1))},animate:function(){if(this._animating){var e,t;for(e=0;e\n :host {\n outline: none;\n }\n .container {\n position: relative;\n display: inline-block;\n }\n\n mwc-button {\n transition: all 1s;\n }\n\n .success mwc-button {\n --mdc-theme-primary: white;\n background-color: var(--success-color);\n transition: none;\n }\n\n .error mwc-button {\n --mdc-theme-primary: white;\n background-color: var(--error-color);\n transition: none;\n }\n\n .progress {\n @apply --layout;\n @apply --layout-center-center;\n position: absolute;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n }\n \n
\n \n \n \n \n
\n ']);return o=function(){return e},e}function a(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function s(e,t){for(var n=0;n\n \n\n
','
\n \n \n
e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n :host {\n display: block;\n padding: 8px 0;\n\n background: var(--paper-listbox-background-color, var(--primary-background-color));\n color: var(--paper-listbox-color, var(--primary-text-color));\n\n @apply --paper-listbox;\n }\n \n\n \n"]);return a=function(){return e},e}Object(i.a)({_template:Object(o.a)(a()),is:"paper-listbox",behaviors:[r.a],hostAttributes:{role:"listbox"}})},function(e,t,n){"use strict";var r=n(0);function i(e){return(i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function o(){var e=s(["\n pre {\n overflow-x: auto;\n white-space: pre-wrap;\n overflow-wrap: break-word;\n }\n .bold {\n font-weight: bold;\n }\n .italic {\n font-style: italic;\n }\n .underline {\n text-decoration: underline;\n }\n .strikethrough {\n text-decoration: line-through;\n }\n .underline.strikethrough {\n text-decoration: underline line-through;\n }\n .fg-red {\n color: rgb(222, 56, 43);\n }\n .fg-green {\n color: rgb(57, 181, 74);\n }\n .fg-yellow {\n color: rgb(255, 199, 6);\n }\n .fg-blue {\n color: rgb(0, 111, 184);\n }\n .fg-magenta {\n color: rgb(118, 38, 113);\n }\n .fg-cyan {\n color: rgb(44, 181, 233);\n }\n .fg-white {\n color: rgb(204, 204, 204);\n }\n .bg-black {\n background-color: rgb(0, 0, 0);\n }\n .bg-red {\n background-color: rgb(222, 56, 43);\n }\n .bg-green {\n background-color: rgb(57, 181, 74);\n }\n .bg-yellow {\n background-color: rgb(255, 199, 6);\n }\n .bg-blue {\n background-color: rgb(0, 111, 184);\n }\n .bg-magenta {\n background-color: rgb(118, 38, 113);\n }\n .bg-cyan {\n background-color: rgb(44, 181, 233);\n }\n .bg-white {\n background-color: rgb(204, 204, 204);\n }\n "]);return o=function(){return e},e}function a(){var e=s(["",""]);return a=function(){return e},e}function s(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function c(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function l(e,t){return(l=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function u(e,t){return!t||"object"!==i(t)&&"function"!=typeof t?d(e):t}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function f(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e){var t,n=g(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function m(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function y(e){return e.decorators&&e.decorators.length}function v(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function b(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function g(e){var t=function(e,t){if("object"!==i(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==i(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===i(t)?t:String(t)}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a-1&&(this._interestedResizables.splice(t,1),this._unsubscribeIronResize(e))},_subscribeIronResize:function(e){e.addEventListener("iron-resize",this._boundOnDescendantIronResize)},_unsubscribeIronResize:function(e){e.removeEventListener("iron-resize",this._boundOnDescendantIronResize)},resizerShouldNotify:function(e){return!0},_onDescendantIronResize:function(e){this._notifyingDescendant?e.stopPropagation():s.f||this._fireResize()},_fireResize:function(){this.fire("iron-resize",null,{node:this,bubbles:!1})},_onIronRequestResizeNotifications:function(e){var t=Object(o.a)(e).rootTarget;t!==this&&(t.assignParentResizable(this),this._notifyDescendant(t),e.stopPropagation())},_parentResizableChanged:function(e){e&&window.removeEventListener("resize",this._boundNotifyResize)},_notifyDescendant:function(e){this.isAttached&&(this._notifyingDescendant=!0,e.notifyResize(),this._notifyingDescendant=!1)},_requestResizeNotifications:function(){if(this.isAttached)if("loading"===document.readyState){var e=this._requestResizeNotifications.bind(this);document.addEventListener("readystatechange",(function t(){document.removeEventListener("readystatechange",t),e()}))}else this._findParent(),this._parentResizable?this._parentResizable._interestedResizables.forEach((function(e){e!==this&&e._findParent()}),this):(c.forEach((function(e){e!==this&&e._findParent()}),this),window.addEventListener("resize",this._boundNotifyResize),this.notifyResize())},_findParent:function(){this.assignParentResizable(null),this.fire("iron-request-resize-notifications",null,{node:this,bubbles:!0,cancelable:!0}),this._parentResizable?c.delete(this):c.add(this)}},u=Element.prototype,d=u.matches||u.matchesSelector||u.mozMatchesSelector||u.msMatchesSelector||u.oMatchesSelector||u.webkitMatchesSelector,f={getTabbableNodes:function(e){var t=[];return this._collectTabbableNodes(e,t)?this._sortByTabIndex(t):t},isFocusable:function(e){return d.call(e,"input, select, textarea, button, object")?d.call(e,":not([disabled])"):d.call(e,"a[href], area[href], iframe, [tabindex], [contentEditable]")},isTabbable:function(e){return this.isFocusable(e)&&d.call(e,':not([tabindex="-1"])')&&this._isVisible(e)},_normalizedTabIndex:function(e){if(this.isFocusable(e)){var t=e.getAttribute("tabindex")||0;return Number(t)}return-1},_collectTabbableNodes:function(e,t){if(e.nodeType!==Node.ELEMENT_NODE||!this._isVisible(e))return!1;var n,r=e,i=this._normalizedTabIndex(r),a=i>0;i>=0&&t.push(r),n="content"===r.localName||"slot"===r.localName?Object(o.a)(r).getDistributedNodes():Object(o.a)(r.root||r).children;for(var s=0;s0&&t.length>0;)this._hasLowerTabOrder(e[0],t[0])?n.push(t.shift()):n.push(e.shift());return n.concat(e,t)},_hasLowerTabOrder:function(e,t){var n=Math.max(e.tabIndex,0),r=Math.max(t.tabIndex,0);return 0===n||0===r?r>n:n>r}},p=n(4),h=n(5);function m(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \n\n \n"]);return m=function(){return e},e}Object(p.a)({_template:Object(h.a)(m()),is:"iron-overlay-backdrop",properties:{opened:{reflectToAttribute:!0,type:Boolean,value:!1,observer:"_openedChanged"}},listeners:{transitionend:"_onTransitionend"},created:function(){this.__openedRaf=null},attached:function(){this.opened&&this._openedChanged(this.opened)},prepare:function(){this.opened&&!this.parentNode&&Object(o.a)(document.body).appendChild(this)},open:function(){this.opened=!0},close:function(){this.opened=!1},complete:function(){this.opened||this.parentNode!==document.body||Object(o.a)(this.parentNode).removeChild(this)},_onTransitionend:function(e){e&&e.target===this&&this.complete()},_openedChanged:function(e){if(e)this.prepare();else{var t=window.getComputedStyle(this);"0s"!==t.transitionDuration&&0!=t.opacity||this.complete()}this.isAttached&&(this.__openedRaf&&(window.cancelAnimationFrame(this.__openedRaf),this.__openedRaf=null),this.scrollTop=this.scrollTop,this.__openedRaf=window.requestAnimationFrame(function(){this.__openedRaf=null,this.toggleClass("opened",this.opened)}.bind(this)))}});var y=n(51),v=function(){this._overlays=[],this._minimumZ=101,this._backdropElement=null,y.a(document.documentElement,"tap",(function(){})),document.addEventListener("tap",this._onCaptureClick.bind(this),!0),document.addEventListener("focus",this._onCaptureFocus.bind(this),!0),document.addEventListener("keydown",this._onCaptureKeyDown.bind(this),!0)};v.prototype={constructor:v,get backdropElement(){return this._backdropElement||(this._backdropElement=document.createElement("iron-overlay-backdrop")),this._backdropElement},get deepActiveElement(){var e=document.activeElement;for(e&&e instanceof Element!=!1||(e=document.body);e.root&&Object(o.a)(e.root).activeElement;)e=Object(o.a)(e.root).activeElement;return e},_bringOverlayAtIndexToFront:function(e){var t=this._overlays[e];if(t){var n=this._overlays.length-1,r=this._overlays[n];if(r&&this._shouldBeBehindOverlay(t,r)&&n--,!(e>=n)){var i=Math.max(this.currentOverlayZ(),this._minimumZ);for(this._getZ(t)<=i&&this._applyOverlayZ(t,i);e=0)return this._bringOverlayAtIndexToFront(t),void this.trackBackdrop();var n=this._overlays.length,r=this._overlays[n-1],i=Math.max(this._getZ(r),this._minimumZ),o=this._getZ(e);if(r&&this._shouldBeBehindOverlay(e,r)){this._applyOverlayZ(r,i),n--;var a=this._overlays[n-1];i=Math.max(this._getZ(a),this._minimumZ)}o<=i&&this._applyOverlayZ(e,i),this._overlays.splice(n,0,e),this.trackBackdrop()},removeOverlay:function(e){var t=this._overlays.indexOf(e);-1!==t&&(this._overlays.splice(t,1),this.trackBackdrop())},currentOverlay:function(){var e=this._overlays.length-1;return this._overlays[e]},currentOverlayZ:function(){return this._getZ(this.currentOverlay())},ensureMinimumZ:function(e){this._minimumZ=Math.max(this._minimumZ,e)},focusOverlay:function(){var e=this.currentOverlay();e&&e._applyFocus()},trackBackdrop:function(){var e=this._overlayWithBackdrop();(e||this._backdropElement)&&(this.backdropElement.style.zIndex=this._getZ(e)-1,this.backdropElement.opened=!!e,this.backdropElement.prepare())},getBackdrops:function(){for(var e=[],t=0;t=0;e--)if(this._overlays[e].withBackdrop)return this._overlays[e]},_getZ:function(e){var t=this._minimumZ;if(e){var n=Number(e.style.zIndex||window.getComputedStyle(e).zIndex);n==n&&(t=n)}return t},_setZ:function(e,t){e.style.zIndex=t},_applyOverlayZ:function(e,t){this._setZ(e,t+2)},_overlayInPath:function(e){e=e||[];for(var t=0;t=0||(0===j.length&&function(){b=b||C.bind(void 0);for(var e=0,t=x.length;e=Math.abs(t),i=0;i0:o.scrollTop0:o.scrollLeft=0))switch(this.scrollAction){case"lock":this.__restoreScrollPosition();break;case"refit":this.__deraf("refit",this.refit);break;case"cancel":this.cancel(e)}},__saveScrollPosition:function(){document.scrollingElement?(this.__scrollTop=document.scrollingElement.scrollTop,this.__scrollLeft=document.scrollingElement.scrollLeft):(this.__scrollTop=Math.max(document.documentElement.scrollTop,document.body.scrollTop),this.__scrollLeft=Math.max(document.documentElement.scrollLeft,document.body.scrollLeft))},__restoreScrollPosition:function(){document.scrollingElement?(document.scrollingElement.scrollTop=this.__scrollTop,document.scrollingElement.scrollLeft=this.__scrollLeft):(document.documentElement.scrollTop=document.body.scrollTop=this.__scrollTop,document.documentElement.scrollLeft=document.body.scrollLeft=this.__scrollLeft)}},P=[a,l,A],T=[{properties:{animationConfig:{type:Object},entryAnimation:{observer:"_entryAnimationChanged",type:String},exitAnimation:{observer:"_exitAnimationChanged",type:String}},_entryAnimationChanged:function(){this.animationConfig=this.animationConfig||{},this.animationConfig.entry=[{name:this.entryAnimation,node:this}]},_exitAnimationChanged:function(){this.animationConfig=this.animationConfig||{},this.animationConfig.exit=[{name:this.exitAnimation,node:this}]},_copyProperties:function(e,t){for(var n in t)e[n]=t[n]},_cloneConfig:function(e){var t={isClone:!0};return this._copyProperties(t,e),t},_getAnimationConfigRecursive:function(e,t,n){var r;if(this.animationConfig)if(this.animationConfig.value&&"function"==typeof this.animationConfig.value)this._warn(this._logf("playAnimation","Please put 'animationConfig' inside of your components 'properties' object instead of outside of it."));else if(r=e?this.animationConfig[e]:this.animationConfig,Array.isArray(r)||(r=[r]),r)for(var i,o=0;i=r[o];o++)if(i.animatable)i.animatable._getAnimationConfigRecursive(i.type||e,t,n);else if(i.id){var a=t[i.id];a?(a.isClone||(t[i.id]=this._cloneConfig(a),a=t[i.id]),this._copyProperties(a,i)):t[i.id]=i}else n.push(i)},getAnimationConfig:function(e){var t={},n=[];for(var r in this._getAnimationConfigRecursive(e,t,n),t)n.push(t[r]);return n}},{_configureAnimations:function(e){var t=[],n=[];if(e.length>0)for(var r,i=0;r=e[i];i++){var o=document.createElement(r.name);if(o.isNeonAnimation){var a;o.configure||(o.configure=function(e){return null}),a=o.configure(r),n.push({result:a,config:r,neonAnimation:o})}else console.warn(this.is+":",r.name,"not found!")}for(var s=0;s\n :host {\n position: fixed;\n }\n\n #contentWrapper ::slotted(*) {\n overflow: auto;\n }\n\n #contentWrapper.animating ::slotted(*) {\n overflow: hidden;\n pointer-events: none;\n }\n \n\n
\n \n
\n']);return R=function(){return e},e}Object(p.a)({_template:Object(h.a)(R()),is:"iron-dropdown",behaviors:[i.a,r.a,P,T],properties:{horizontalAlign:{type:String,value:"left",reflectToAttribute:!0},verticalAlign:{type:String,value:"top",reflectToAttribute:!0},openAnimationConfig:{type:Object},closeAnimationConfig:{type:Object},focusTarget:{type:Object},noAnimations:{type:Boolean,value:!1},allowOutsideScroll:{type:Boolean,value:!1,observer:"_allowOutsideScrollChanged"}},listeners:{"neon-animation-finish":"_onNeonAnimationFinish"},observers:["_updateOverlayPosition(positionTarget, verticalAlign, horizontalAlign, verticalOffset, horizontalOffset)"],get containedElement(){for(var e=Object(o.a)(this.$.content).getDistributedNodes(),t=0,n=e.length;t\n :host {\n display: inline-block;\n position: relative;\n padding: 8px;\n outline: none;\n\n @apply --paper-menu-button;\n }\n\n :host([disabled]) {\n cursor: auto;\n color: var(--disabled-text-color);\n\n @apply --paper-menu-button-disabled;\n }\n\n iron-dropdown {\n @apply --paper-menu-button-dropdown;\n }\n\n .dropdown-content {\n @apply --shadow-elevation-2dp;\n\n position: relative;\n border-radius: 2px;\n background-color: var(--paper-menu-button-dropdown-background, var(--primary-background-color));\n\n @apply --paper-menu-button-content;\n }\n\n :host([vertical-align="top"]) .dropdown-content {\n margin-bottom: 20px;\n margin-top: -10px;\n top: 10px;\n }\n\n :host([vertical-align="bottom"]) .dropdown-content {\n bottom: 10px;\n margin-bottom: -10px;\n margin-top: 20px;\n }\n\n #trigger {\n cursor: pointer;\n }\n \n\n
\n \n
\n\n \n \n \n']);return D=function(){return e},e}Object(p.a)({is:"paper-menu-grow-height-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().height;return this._effect=new KeyframeEffect(t,[{height:n/2+"px"},{height:n+"px"}],this.timingFromConfig(e)),this._effect}}),Object(p.a)({is:"paper-menu-grow-width-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().width;return this._effect=new KeyframeEffect(t,[{width:n/2+"px"},{width:n+"px"}],this.timingFromConfig(e)),this._effect}}),Object(p.a)({is:"paper-menu-shrink-width-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().width;return this._effect=new KeyframeEffect(t,[{width:n+"px"},{width:n-n/20+"px"}],this.timingFromConfig(e)),this._effect}}),Object(p.a)({is:"paper-menu-shrink-height-animation",behaviors:[I],configure:function(e){var t=e.node,n=t.getBoundingClientRect().height;return this.setPrefixedProperty(t,"transformOrigin","0 0"),this._effect=new KeyframeEffect(t,[{height:n+"px",transform:"translateY(0)"},{height:n/2+"px",transform:"translateY(-20px)"}],this.timingFromConfig(e)),this._effect}});var z={ANIMATION_CUBIC_BEZIER:"cubic-bezier(.3,.95,.5,1)",MAX_ANIMATION_TIME_MS:400},F=Object(p.a)({_template:Object(h.a)(D()),is:"paper-menu-button",behaviors:[r.a,i.a],properties:{opened:{type:Boolean,value:!1,notify:!0,observer:"_openedChanged"},horizontalAlign:{type:String,value:"left",reflectToAttribute:!0},verticalAlign:{type:String,value:"top",reflectToAttribute:!0},dynamicAlign:{type:Boolean},horizontalOffset:{type:Number,value:0,notify:!0},verticalOffset:{type:Number,value:0,notify:!0},noOverlap:{type:Boolean},noAnimations:{type:Boolean,value:!1},ignoreSelect:{type:Boolean,value:!1},closeOnActivate:{type:Boolean,value:!1},openAnimationConfig:{type:Object,value:function(){return[{name:"fade-in-animation",timing:{delay:100,duration:200}},{name:"paper-menu-grow-width-animation",timing:{delay:100,duration:150,easing:z.ANIMATION_CUBIC_BEZIER}},{name:"paper-menu-grow-height-animation",timing:{delay:100,duration:275,easing:z.ANIMATION_CUBIC_BEZIER}}]}},closeAnimationConfig:{type:Object,value:function(){return[{name:"fade-out-animation",timing:{duration:150}},{name:"paper-menu-shrink-width-animation",timing:{delay:100,duration:50,easing:z.ANIMATION_CUBIC_BEZIER}},{name:"paper-menu-shrink-height-animation",timing:{duration:200,easing:"ease-in"}}]}},allowOutsideScroll:{type:Boolean,value:!1},restoreFocusOnClose:{type:Boolean,value:!0},_dropdownContent:{type:Object}},hostAttributes:{role:"group","aria-haspopup":"true"},listeners:{"iron-activate":"_onIronActivate","iron-select":"_onIronSelect"},get contentElement(){for(var e=Object(o.a)(this.$.content).getDistributedNodes(),t=0,n=e.length;t-1&&e.preventDefault()}});Object.keys(z).forEach((function(e){F[e]=z[e]}));n(111);var L=n(74);Object(p.a)({is:"iron-iconset-svg",properties:{name:{type:String,observer:"_nameChanged"},size:{type:Number,value:24},rtlMirroring:{type:Boolean,value:!1},useGlobalRtlAttribute:{type:Boolean,value:!1}},created:function(){this._meta=new L.a({type:"iconset",key:null,value:null})},attached:function(){this.style.display="none"},getIconNames:function(){return this._icons=this._createIconMap(),Object.keys(this._icons).map((function(e){return this.name+":"+e}),this)},applyIcon:function(e,t){this.removeIcon(e);var n=this._cloneIcon(t,this.rtlMirroring&&this._targetIsRTL(e));if(n){var r=Object(o.a)(e.root||e);return r.insertBefore(n,r.childNodes[0]),e._svgIcon=n}return null},removeIcon:function(e){e._svgIcon&&(Object(o.a)(e.root||e).removeChild(e._svgIcon),e._svgIcon=null)},_targetIsRTL:function(e){if(null==this.__targetIsRTL)if(this.useGlobalRtlAttribute){var t=document.body&&document.body.hasAttribute("dir")?document.body:document.documentElement;this.__targetIsRTL="rtl"===t.getAttribute("dir")}else e&&e.nodeType!==Node.ELEMENT_NODE&&(e=e.host),this.__targetIsRTL=e&&"rtl"===window.getComputedStyle(e).direction;return this.__targetIsRTL},_nameChanged:function(){this._meta.value=null,this._meta.key=this.name,this._meta.value=this,this.async((function(){this.fire("iron-iconset-added",this,{node:window})}))},_createIconMap:function(){var e=Object.create(null);return Object(o.a)(this).querySelectorAll("[id]").forEach((function(t){e[t.id]=t})),e},_cloneIcon:function(e,t){return this._icons=this._icons||this._createIconMap(),this._prepareSvgClone(this._icons[e],this.size,t)},_prepareSvgClone:function(e,t,n){if(e){var r=e.cloneNode(!0),i=document.createElementNS("http://www.w3.org/2000/svg","svg"),o=r.getAttribute("viewBox")||"0 0 "+t+" "+t,a="pointer-events: none; display: block; width: 100%; height: 100%;";return n&&r.hasAttribute("mirror-in-rtl")&&(a+="-webkit-transform:scale(-1,1);transform:scale(-1,1);transform-origin:center;"),i.setAttribute("viewBox",o),i.setAttribute("preserveAspectRatio","xMidYMid meet"),i.setAttribute("focusable","false"),i.style.cssText=a,i.appendChild(r).removeAttribute("id"),i}return null}});var N=document.createElement("template");N.setAttribute("style","display: none;"),N.innerHTML='\n\n\n\n',document.head.appendChild(N.content);var M=document.createElement("template");M.setAttribute("style","display: none;"),M.innerHTML='\n \n',document.head.appendChild(M.content);var B=n(56),H=n(69),V=n(59);function U(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n \n\n \x3c!-- this div fulfills an a11y requirement for combobox, do not remove --\x3e\n \n \n \x3c!-- support hybrid mode: user might be using paper-menu-button 1.x which distributes via --\x3e\n \n \n \n']);return U=function(){return e},e}Object(p.a)({_template:Object(h.a)(U()),is:"paper-dropdown-menu",behaviors:[B.a,i.a,H.a,V.a],properties:{selectedItemLabel:{type:String,notify:!0,readOnly:!0},selectedItem:{type:Object,notify:!0,readOnly:!0},value:{type:String,notify:!0},label:{type:String},placeholder:{type:String},errorMessage:{type:String},opened:{type:Boolean,notify:!0,value:!1,observer:"_openedChanged"},allowOutsideScroll:{type:Boolean,value:!1},noLabelFloat:{type:Boolean,value:!1,reflectToAttribute:!0},alwaysFloatLabel:{type:Boolean,value:!1},noAnimations:{type:Boolean,value:!1},horizontalAlign:{type:String,value:"right"},verticalAlign:{type:String,value:"top"},verticalOffset:Number,dynamicAlign:{type:Boolean},restoreFocusOnClose:{type:Boolean,value:!0}},listeners:{tap:"_onTap"},keyBindings:{"up down":"open",esc:"close"},hostAttributes:{role:"combobox","aria-autocomplete":"none","aria-haspopup":"true"},observers:["_selectedItemChanged(selectedItem)"],attached:function(){var e=this.contentElement;e&&e.selectedItem&&this._setSelectedItem(e.selectedItem)},get contentElement(){for(var e=Object(o.a)(this.$.content).getDistributedNodes(),t=0,n=e.length;t=0;--i){var o=this.tryEntries[i],a=o.completion;if("root"===o.tryLoc)return n("end");if(o.tryLoc<=this.prev){var s=r.call(o,"catchLoc"),c=r.call(o,"finallyLoc");if(s&&c){if(this.prev=0;--n){var i=this.tryEntries[n];if(i.tryLoc<=this.prev&&r.call(i,"finallyLoc")&&this.prev=0;--t){var n=this.tryEntries[t];if(n.finallyLoc===e)return this.complete(n.completion,n.afterLoc),k(n),u}},catch:function(e){for(var t=this.tryEntries.length-1;t>=0;--t){var n=this.tryEntries[t];if(n.tryLoc===e){var r=n.completion;if("throw"===r.type){var i=r.arg;k(n)}return i}}throw new Error("illegal catch attempt")},delegateYield:function(e,t,n){return this.delegate={iterator:x(e),resultName:t,nextLoc:n},"next"===this.method&&(this.arg=void 0),u}},e}("object"===t(e)?e.exports:{});try{regeneratorRuntime=n}catch(r){Function("r","regeneratorRuntime = r")(n)}}).call(this,n(120)(e))},function(e,t,n){"use strict";var r;(r="undefined"!=typeof process&&"[object process]"==={}.toString.call(process)||"undefined"!=typeof navigator&&"ReactNative"===navigator.product?global:self).Proxy||(r.Proxy=n(129)(),r.Proxy.revocable=r.Proxy.revocable)},function(e,t){function n(e){return(n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}e.exports=function(){var e,t=null;function r(e){return!!e&&("object"===n(e)||"function"==typeof e)}return(e=function(e,n){if(!r(e)||!r(n))throw new TypeError("Cannot create proxy with a non-object as target or handler");var i=function(){};t=function(){e=null,i=function(e){throw new TypeError("Cannot perform '".concat(e,"' on a proxy that has been revoked"))}},setTimeout((function(){t=null}),0);var o=n;for(var a in n={get:null,set:null,apply:null,construct:null},o){if(!(a in n))throw new TypeError("Proxy polyfill does not support trap '".concat(a,"'"));n[a]=o[a]}"function"==typeof o&&(n.apply=o.apply.bind(o));var s=this,c=!1,l=!1;"function"==typeof e?(s=function(){var t=this&&this.constructor===s,r=Array.prototype.slice.call(arguments);if(i(t?"construct":"apply"),t&&n.construct)return n.construct.call(this,e,r);if(!t&&n.apply)return n.apply(e,this,r);if(t){r.unshift(e);var o=e.bind.apply(e,r);return new o}return e.apply(this,r)},c=!0):e instanceof Array&&(s=[],l=!0);var u=n.get?function(e){return i("get"),n.get(this,e,s)}:function(e){return i("get"),this[e]},d=n.set?function(e,t){i("set");n.set(this,e,t,s)}:function(e,t){i("set"),this[e]=t},f=Object.getOwnPropertyNames(e),p={};f.forEach((function(t){if(!c&&!l||!(t in s)){var n={enumerable:!!Object.getOwnPropertyDescriptor(e,t).enumerable,get:u.bind(e,t),set:d.bind(e,t)};Object.defineProperty(s,t,n),p[t]=!0}}));var h=!0;if(Object.setPrototypeOf?Object.setPrototypeOf(s,Object.getPrototypeOf(e)):s.__proto__?s.__proto__=e.__proto__:h=!1,n.get||!h)for(var m in e)p[m]||Object.defineProperty(s,m,{get:u.bind(e,m)});return Object.seal(e),Object.seal(s),s}).revocable=function(n,r){return{proxy:new e(n,r),revoke:t}},e}},function(e,t){var n=document.createElement("template");n.setAttribute("style","display: none;"),n.innerHTML='',document.head.appendChild(n.content)},function(e,t){},function(e,t,n){"use strict";n.r(t);n(39),n(54);var r=n(9),i=(n(80),n(104),n(110),n(79),n(0)),o=n(41),a=(n(101),n(33),n(62)),s=n(29),c=n(12);function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function u(){var e=y(["\n ha-dialog.button-left {\n --justify-action-buttons: flex-start;\n }\n paper-icon-item {\n cursor: pointer;\n }\n .form {\n color: var(--primary-text-color);\n }\n .option {\n border: 1px solid var(--divider-color);\n border-radius: 4px;\n margin-top: 4px;\n }\n mwc-button {\n margin-left: 8px;\n }\n ha-paper-dropdown-menu {\n display: block;\n }\n "]);return u=function(){return e},e}function d(){var e=y([""]);return d=function(){return e},e}function f(){var e=y(["\n \n No repositories\n \n "]);return f=function(){return e},e}function p(){var e=y(['\n \n \n
',"
\n
","
\n
","
\n
\n ',"
"]);return h=function(){return e},e}function m(){var e=y(["\n \n ','\n
\n ','\n
\n \n
\n
\n \n Close\n \n \n ']);return m=function(){return e},e}function y(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function v(e,t,n,r,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void n(l)}s.done?t(c):Promise.resolve(c).then(r,i)}function b(e){return function(){var t=this,n=arguments;return new Promise((function(r,i){var o=e.apply(t,n);function a(e){v(o,r,i,a,s,"next",e)}function s(e){v(o,r,i,a,s,"throw",e)}a(void 0)}))}}function g(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function _(e,t){return(_=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function w(e,t){return!t||"object"!==l(t)&&"function"!=typeof t?k(e):t}function k(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function O(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function x(e){return(x=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function E(e){var t,n=P(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function S(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function j(e){return e.decorators&&e.decorators.length}function C(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function A(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function P(e){var t=function(e,t){if("object"!==l(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==l(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===l(t)?t:String(t)}function T(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var i,o,a=!0,s=!1;return{s:function(){i=e[Symbol.iterator]()},n:function(){var e=i.next();return a=e.done,e},e:function(e){s=!0,o=e},f:function(){try{a||null==i.return||i.return()}finally{if(s)throw o}}}}function r(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n0&&a>0&&n[o]===r[a];)o--,a--;n[o]!==r[a]&&this[h](n[o],r[a]),o>0&&this[y](n.slice(0,o)),a>0&&this[m](r.slice(0,a),i,null)}else this[m](r,i,t)}},{key:h,value:function(e,t){var n=e[d];this[g](e)&&!e.inert&&(e.inert=!0,n.add(e)),n.has(t)&&(t.inert=!1,n.delete(t)),t[f]=e[f],t[d]=n,e[f]=void 0,e[d]=void 0}},{key:y,value:function(e){var t,r=n(e);try{for(r.s();!(t=r.n()).done;){var i=t.value;i[f].disconnect(),i[f]=void 0;var o,a=n(i[d]);try{for(a.s();!(o=a.n()).done;)o.value.inert=!1}catch(s){a.e(s)}finally{a.f()}i[d]=void 0}}catch(s){r.e(s)}finally{r.f()}}},{key:m,value:function(e,t,r){var i,o=n(e);try{for(o.s();!(i=o.n()).done;){for(var a=i.value,s=a.parentNode,c=s.children,l=new Set,u=0;u>10),56320+(e-65536&1023))}for(var O=new Array(256),x=new Array(256),E=0;E<256;E++)O[E]=w(E)?1:0,x[E]=w(E);function S(e,t){this.input=e,this.filename=t.filename||null,this.schema=t.schema||c,this.onWarning=t.onWarning||null,this.legacy=t.legacy||!1,this.json=t.json||!1,this.listener=t.listener||null,this.implicitTypes=this.schema.compiledImplicit,this.typeMap=this.schema.compiledTypeMap,this.length=e.length,this.position=0,this.line=0,this.lineStart=0,this.lineIndent=0,this.documents=[]}function j(e,t){return new o(t,new a(e.filename,e.input,e.position,e.line,e.position-e.lineStart))}function C(e,t){throw j(e,t)}function A(e,t){e.onWarning&&e.onWarning.call(null,j(e,t))}var P={YAML:function(e,t,n){var r,i,o;null!==e.version&&C(e,"duplication of %YAML directive"),1!==n.length&&C(e,"YAML directive accepts exactly one argument"),null===(r=/^([0-9]+)\.([0-9]+)$/.exec(n[0]))&&C(e,"ill-formed argument of the YAML directive"),i=parseInt(r[1],10),o=parseInt(r[2],10),1!==i&&C(e,"unacceptable YAML version of the document"),e.version=n[0],e.checkLineBreaks=o<2,1!==o&&2!==o&&A(e,"unsupported YAML version of the document")},TAG:function(e,t,n){var r,i;2!==n.length&&C(e,"TAG directive accepts exactly two arguments"),r=n[0],i=n[1],p.test(r)||C(e,"ill-formed tag handle (first argument) of the TAG directive"),l.call(e.tagMap,r)&&C(e,'there is a previously declared suffix for "'+r+'" tag handle'),h.test(i)||C(e,"ill-formed tag prefix (second argument) of the TAG directive"),e.tagMap[r]=i}};function T(e,t,n,r){var i,o,a,s;if(t1&&(e.result+=i.repeat("\n",t-1))}function N(e,t){var n,r,i=e.tag,o=e.anchor,a=[],s=!1;for(null!==e.anchor&&(e.anchorMap[e.anchor]=a),r=e.input.charCodeAt(e.position);0!==r&&45===r&&b(e.input.charCodeAt(e.position+1));)if(s=!0,e.position++,z(e,!0,-1)&&e.lineIndent<=t)a.push(null),r=e.input.charCodeAt(e.position);else if(n=e.line,H(e,t,3,!1,!0),a.push(e.result),z(e,!0,-1),r=e.input.charCodeAt(e.position),(e.line===n||e.lineIndent>t)&&0!==r)C(e,"bad indentation of a sequence entry");else if(e.lineIndentt?m=1:e.lineIndent===t?m=0:e.lineIndentt?m=1:e.lineIndent===t?m=0:e.lineIndentt)&&(H(e,t,4,!0,i)&&(m?p=e.result:h=e.result),m||(I(e,u,d,f,p,h,o,a),f=p=h=null),z(e,!0,-1),s=e.input.charCodeAt(e.position)),e.lineIndent>t&&0!==s)C(e,"bad indentation of a mapping entry");else if(e.lineIndent=0))break;0===o?C(e,"bad explicit indentation width of a block scalar; it cannot be less than one"):u?C(e,"repeat of an indentation width identifier"):(d=t+o-1,u=!0)}if(v(a)){do{a=e.input.charCodeAt(++e.position)}while(v(a));if(35===a)do{a=e.input.charCodeAt(++e.position)}while(!y(a)&&0!==a)}for(;0!==a;){for(D(e),e.lineIndent=0,a=e.input.charCodeAt(e.position);(!u||e.lineIndentd&&(d=e.lineIndent),y(a))f++;else{if(e.lineIndent0){for(i=a,o=0;i>0;i--)(a=_(s=e.input.charCodeAt(++e.position)))>=0?o=(o<<4)+a:C(e,"expected hexadecimal character");e.result+=k(o),e.position++}else C(e,"unknown escape sequence");n=r=e.position}else y(s)?(T(e,n,r,!0),L(e,z(e,!1,t)),n=r=e.position):e.position===e.lineStart&&F(e)?C(e,"unexpected end of the document within a double quoted scalar"):(e.position++,r=e.position)}C(e,"unexpected end of the stream within a double quoted scalar")}(e,p)?E=!0:!function(e){var t,n,r;if(42!==(r=e.input.charCodeAt(e.position)))return!1;for(r=e.input.charCodeAt(++e.position),t=e.position;0!==r&&!b(r)&&!g(r);)r=e.input.charCodeAt(++e.position);return e.position===t&&C(e,"name of an alias node must contain at least one character"),n=e.input.slice(t,e.position),e.anchorMap.hasOwnProperty(n)||C(e,'unidentified alias "'+n+'"'),e.result=e.anchorMap[n],z(e,!0,-1),!0}(e)?function(e,t,n){var r,i,o,a,s,c,l,u,d=e.kind,f=e.result;if(b(u=e.input.charCodeAt(e.position))||g(u)||35===u||38===u||42===u||33===u||124===u||62===u||39===u||34===u||37===u||64===u||96===u)return!1;if((63===u||45===u)&&(b(r=e.input.charCodeAt(e.position+1))||n&&g(r)))return!1;for(e.kind="scalar",e.result="",i=o=e.position,a=!1;0!==u;){if(58===u){if(b(r=e.input.charCodeAt(e.position+1))||n&&g(r))break}else if(35===u){if(b(e.input.charCodeAt(e.position-1)))break}else{if(e.position===e.lineStart&&F(e)||n&&g(u))break;if(y(u)){if(s=e.line,c=e.lineStart,l=e.lineIndent,z(e,!1,-1),e.lineIndent>=t){a=!0,u=e.input.charCodeAt(e.position);continue}e.position=o,e.line=s,e.lineStart=c,e.lineIndent=l;break}}a&&(T(e,i,o,!1),L(e,e.line-s),i=o=e.position,a=!1),v(u)||(o=e.position+1),u=e.input.charCodeAt(++e.position)}return T(e,i,o,!1),!!e.result||(e.kind=d,e.result=f,!1)}(e,p,1===n)&&(E=!0,null===e.tag&&(e.tag="?")):(E=!0,null===e.tag&&null===e.anchor||C(e,"alias node should not have any properties")),null!==e.anchor&&(e.anchorMap[e.anchor]=e.result)):0===m&&(E=c&&N(e,h))),null!==e.tag&&"!"!==e.tag)if("?"===e.tag){for(u=0,d=e.implicitTypes.length;u tag; it should be "'+f.kind+'", not "'+e.kind+'"'),f.resolve(e.result)?(e.result=f.construct(e.result),null!==e.anchor&&(e.anchorMap[e.anchor]=e.result)):C(e,"cannot resolve a node with !<"+e.tag+"> explicit tag")):C(e,"unknown tag !<"+e.tag+">");return null!==e.listener&&e.listener("close",e),null!==e.tag||null!==e.anchor||E}function V(e){var t,n,r,i,o=e.position,a=!1;for(e.version=null,e.checkLineBreaks=e.legacy,e.tagMap={},e.anchorMap={};0!==(i=e.input.charCodeAt(e.position))&&(z(e,!0,-1),i=e.input.charCodeAt(e.position),!(e.lineIndent>0||37!==i));){for(a=!0,i=e.input.charCodeAt(++e.position),t=e.position;0!==i&&!b(i);)i=e.input.charCodeAt(++e.position);for(r=[],(n=e.input.slice(t,e.position)).length<1&&C(e,"directive name must not be less than one character in length");0!==i;){for(;v(i);)i=e.input.charCodeAt(++e.position);if(35===i){do{i=e.input.charCodeAt(++e.position)}while(0!==i&&!y(i));break}if(y(i))break;for(t=e.position;0!==i&&!b(i);)i=e.input.charCodeAt(++e.position);r.push(e.input.slice(t,e.position))}0!==i&&D(e),l.call(P,n)?P[n](e,n,r):A(e,'unknown document directive "'+n+'"')}z(e,!0,-1),0===e.lineIndent&&45===e.input.charCodeAt(e.position)&&45===e.input.charCodeAt(e.position+1)&&45===e.input.charCodeAt(e.position+2)?(e.position+=3,z(e,!0,-1)):a&&C(e,"directives end mark is expected"),H(e,e.lineIndent-1,4,!1,!0),z(e,!0,-1),e.checkLineBreaks&&d.test(e.input.slice(o,e.position))&&A(e,"non-ASCII line breaks are interpreted as content"),e.documents.push(e.result),e.position===e.lineStart&&F(e)?46===e.input.charCodeAt(e.position)&&(e.position+=3,z(e,!0,-1)):e.position0&&-1==="\0\r\n…\u2028\u2029".indexOf(this.buffer.charAt(i-1));)if(i-=1,this.position-i>t/2-1){n=" ... ",i+=5;break}for(o="",a=this.position;at/2-1){o=" ... ",a-=5;break}return s=this.buffer.slice(i,a),r.repeat(" ",e)+n+s+o+"\n"+r.repeat(" ",e+this.position-i+n.length)+"^"},i.prototype.toString=function(e){var t,n="";return this.name&&(n+='in "'+this.name+'" '),n+="at line "+(this.line+1)+", column "+(this.column+1),e||(t=this.getSnippet())&&(n+=":\n"+t),n},e.exports=i},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:str",{kind:"scalar",construct:function(e){return null!==e?e:""}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:seq",{kind:"sequence",construct:function(e){return null!==e?e:[]}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:map",{kind:"mapping",construct:function(e){return null!==e?e:{}}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:null",{kind:"scalar",resolve:function(e){if(null===e)return!0;var t=e.length;return 1===t&&"~"===e||4===t&&("null"===e||"Null"===e||"NULL"===e)},construct:function(){return null},predicate:function(e){return null===e},represent:{canonical:function(){return"~"},lowercase:function(){return"null"},uppercase:function(){return"NULL"},camelcase:function(){return"Null"}},defaultStyle:"lowercase"})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:bool",{kind:"scalar",resolve:function(e){if(null===e)return!1;var t=e.length;return 4===t&&("true"===e||"True"===e||"TRUE"===e)||5===t&&("false"===e||"False"===e||"FALSE"===e)},construct:function(e){return"true"===e||"True"===e||"TRUE"===e},predicate:function(e){return"[object Boolean]"===Object.prototype.toString.call(e)},represent:{lowercase:function(e){return e?"true":"false"},uppercase:function(e){return e?"TRUE":"FALSE"},camelcase:function(e){return e?"True":"False"}},defaultStyle:"lowercase"})},function(e,t,n){"use strict";var r=n(64),i=n(22);function o(e){return 48<=e&&e<=55}function a(e){return 48<=e&&e<=57}e.exports=new i("tag:yaml.org,2002:int",{kind:"scalar",resolve:function(e){if(null===e)return!1;var t,n,r=e.length,i=0,s=!1;if(!r)return!1;if("-"!==(t=e[i])&&"+"!==t||(t=e[++i]),"0"===t){if(i+1===r)return!0;if("b"===(t=e[++i])){for(i++;i=0?"0b"+e.toString(2):"-0b"+e.toString(2).slice(1)},octal:function(e){return e>=0?"0"+e.toString(8):"-0"+e.toString(8).slice(1)},decimal:function(e){return e.toString(10)},hexadecimal:function(e){return e>=0?"0x"+e.toString(16).toUpperCase():"-0x"+e.toString(16).toUpperCase().slice(1)}},defaultStyle:"decimal",styleAliases:{binary:[2,"bin"],octal:[8,"oct"],decimal:[10,"dec"],hexadecimal:[16,"hex"]}})},function(e,t,n){"use strict";var r=n(64),i=n(22),o=new RegExp("^(?:[-+]?(?:0|[1-9][0-9_]*)(?:\\.[0-9_]*)?(?:[eE][-+]?[0-9]+)?|\\.[0-9_]+(?:[eE][-+]?[0-9]+)?|[-+]?[0-9][0-9_]*(?::[0-5]?[0-9])+\\.[0-9_]*|[-+]?\\.(?:inf|Inf|INF)|\\.(?:nan|NaN|NAN))$");var a=/^[-+]?[0-9]+e/;e.exports=new i("tag:yaml.org,2002:float",{kind:"scalar",resolve:function(e){return null!==e&&!(!o.test(e)||"_"===e[e.length-1])},construct:function(e){var t,n,r,i;return n="-"===(t=e.replace(/_/g,"").toLowerCase())[0]?-1:1,i=[],"+-".indexOf(t[0])>=0&&(t=t.slice(1)),".inf"===t?1===n?Number.POSITIVE_INFINITY:Number.NEGATIVE_INFINITY:".nan"===t?NaN:t.indexOf(":")>=0?(t.split(":").forEach((function(e){i.unshift(parseFloat(e,10))})),t=0,r=1,i.forEach((function(e){t+=e*r,r*=60})),n*t):n*parseFloat(t,10)},predicate:function(e){return"[object Number]"===Object.prototype.toString.call(e)&&(e%1!=0||r.isNegativeZero(e))},represent:function(e,t){var n;if(isNaN(e))switch(t){case"lowercase":return".nan";case"uppercase":return".NAN";case"camelcase":return".NaN"}else if(Number.POSITIVE_INFINITY===e)switch(t){case"lowercase":return".inf";case"uppercase":return".INF";case"camelcase":return".Inf"}else if(Number.NEGATIVE_INFINITY===e)switch(t){case"lowercase":return"-.inf";case"uppercase":return"-.INF";case"camelcase":return"-.Inf"}else if(r.isNegativeZero(e))return"-0.0";return n=e.toString(10),a.test(n)?n.replace("e",".e"):n},defaultStyle:"lowercase"})},function(e,t,n){"use strict";var r=n(22),i=new RegExp("^([0-9][0-9][0-9][0-9])-([0-9][0-9])-([0-9][0-9])$"),o=new RegExp("^([0-9][0-9][0-9][0-9])-([0-9][0-9]?)-([0-9][0-9]?)(?:[Tt]|[ \\t]+)([0-9][0-9]?):([0-9][0-9]):([0-9][0-9])(?:\\.([0-9]*))?(?:[ \\t]*(Z|([-+])([0-9][0-9]?)(?::([0-9][0-9]))?))?$");e.exports=new r("tag:yaml.org,2002:timestamp",{kind:"scalar",resolve:function(e){return null!==e&&(null!==i.exec(e)||null!==o.exec(e))},construct:function(e){var t,n,r,a,s,c,l,u,d=0,f=null;if(null===(t=i.exec(e))&&(t=o.exec(e)),null===t)throw new Error("Date resolve error");if(n=+t[1],r=+t[2]-1,a=+t[3],!t[4])return new Date(Date.UTC(n,r,a));if(s=+t[4],c=+t[5],l=+t[6],t[7]){for(d=t[7].slice(0,3);d.length<3;)d+="0";d=+d}return t[9]&&(f=6e4*(60*+t[10]+ +(t[11]||0)),"-"===t[9]&&(f=-f)),u=new Date(Date.UTC(n,r,a,s,c,l,d)),f&&u.setTime(u.getTime()-f),u},instanceOf:Date,represent:function(e){return e.toISOString()}})},function(e,t,n){"use strict";var r=n(22);e.exports=new r("tag:yaml.org,2002:merge",{kind:"scalar",resolve:function(e){return"<<"===e||null===e}})},function(e,t,n){"use strict";var r;try{r=n(148).Buffer}catch(a){}var i=n(22),o="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=\n\r";e.exports=new i("tag:yaml.org,2002:binary",{kind:"scalar",resolve:function(e){if(null===e)return!1;var t,n,r=0,i=e.length,a=o;for(n=0;n64)){if(t<0)return!1;r+=6}return r%8==0},construct:function(e){var t,n,i=e.replace(/[\r\n=]/g,""),a=i.length,s=o,c=0,l=[];for(t=0;t>16&255),l.push(c>>8&255),l.push(255&c)),c=c<<6|s.indexOf(i.charAt(t));return 0===(n=a%4*6)?(l.push(c>>16&255),l.push(c>>8&255),l.push(255&c)):18===n?(l.push(c>>10&255),l.push(c>>2&255)):12===n&&l.push(c>>4&255),r?r.from?r.from(l):new r(l):l},predicate:function(e){return r&&r.isBuffer(e)},represent:function(e){var t,n,r="",i=0,a=e.length,s=o;for(t=0;t>18&63],r+=s[i>>12&63],r+=s[i>>6&63],r+=s[63&i]),i=(i<<8)+e[t];return 0===(n=a%3)?(r+=s[i>>18&63],r+=s[i>>12&63],r+=s[i>>6&63],r+=s[63&i]):2===n?(r+=s[i>>10&63],r+=s[i>>4&63],r+=s[i<<2&63],r+=s[64]):1===n&&(r+=s[i>>2&63],r+=s[i<<4&63],r+=s[64],r+=s[64]),r}})},function(e,t,n){"use strict";var r=n(149),i=n(150),o=n(151);function a(){return c.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function s(e,t){if(a()=a())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+a().toString(16)+" bytes");return 0|e}function h(e,t){if(c.isBuffer(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return B(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return H(e).length;default:if(r)return B(e).length;t=(""+t).toLowerCase(),r=!0}}function m(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return A(this,t,n);case"utf8":case"utf-8":return S(this,t,n);case"ascii":return j(this,t,n);case"latin1":case"binary":return C(this,t,n);case"base64":return E(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return P(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function y(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function v(e,t,n,r,i){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=i?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(i)return-1;n=e.length-1}else if(n<0){if(!i)return-1;n=0}if("string"==typeof t&&(t=c.from(t,r)),c.isBuffer(t))return 0===t.length?-1:b(e,t,n,r,i);if("number"==typeof t)return t&=255,c.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?i?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):b(e,[t],n,r,i);throw new TypeError("val must be string, number or Buffer")}function b(e,t,n,r,i){var o,a=1,s=e.length,c=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;a=2,s/=2,c/=2,n/=2}function l(e,t){return 1===a?e[t]:e.readUInt16BE(t*a)}if(i){var u=-1;for(o=n;os&&(n=s-c),o=n;o>=0;o--){for(var d=!0,f=0;fi&&(r=i):r=i;var o=t.length;if(o%2!=0)throw new TypeError("Invalid hex string");r>o/2&&(r=o/2);for(var a=0;a>8,i=n%256,o.push(i),o.push(r);return o}(t,e.length-n),e,n,r)}function E(e,t,n){return 0===t&&n===e.length?r.fromByteArray(e):r.fromByteArray(e.slice(t,n))}function S(e,t,n){n=Math.min(e.length,n);for(var r=[],i=t;i239?4:l>223?3:l>191?2:1;if(i+d<=n)switch(d){case 1:l<128&&(u=l);break;case 2:128==(192&(o=e[i+1]))&&(c=(31&l)<<6|63&o)>127&&(u=c);break;case 3:o=e[i+1],a=e[i+2],128==(192&o)&&128==(192&a)&&(c=(15&l)<<12|(63&o)<<6|63&a)>2047&&(c<55296||c>57343)&&(u=c);break;case 4:o=e[i+1],a=e[i+2],s=e[i+3],128==(192&o)&&128==(192&a)&&128==(192&s)&&(c=(15&l)<<18|(63&o)<<12|(63&a)<<6|63&s)>65535&&c<1114112&&(u=c)}null===u?(u=65533,d=1):u>65535&&(u-=65536,r.push(u>>>10&1023|55296),u=56320|1023&u),r.push(u),i+=d}return function(e){var t=e.length;if(t<=4096)return String.fromCharCode.apply(String,e);var n="",r=0;for(;r0&&(e=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(e+=" ... ")),""},c.prototype.compare=function(e,t,n,r,i){if(!c.isBuffer(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===i&&(i=this.length),t<0||n>e.length||r<0||i>this.length)throw new RangeError("out of range index");if(r>=i&&t>=n)return 0;if(r>=i)return-1;if(t>=n)return 1;if(this===e)return 0;for(var o=(i>>>=0)-(r>>>=0),a=(n>>>=0)-(t>>>=0),s=Math.min(o,a),l=this.slice(r,i),u=e.slice(t,n),d=0;di)&&(n=i),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var o=!1;;)switch(r){case"hex":return g(this,e,t,n);case"utf8":case"utf-8":return _(this,e,t,n);case"ascii":return w(this,e,t,n);case"latin1":case"binary":return k(this,e,t,n);case"base64":return O(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return x(this,e,t,n);default:if(o)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),o=!0}},c.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};function j(e,t,n){var r="";n=Math.min(e.length,n);for(var i=t;ir)&&(n=r);for(var i="",o=t;on)throw new RangeError("Trying to access beyond buffer length")}function R(e,t,n,r,i,o){if(!c.isBuffer(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>i||te.length)throw new RangeError("Index out of range")}function I(e,t,n,r){t<0&&(t=65535+t+1);for(var i=0,o=Math.min(e.length-n,2);i>>8*(r?i:1-i)}function D(e,t,n,r){t<0&&(t=4294967295+t+1);for(var i=0,o=Math.min(e.length-n,4);i>>8*(r?i:3-i)&255}function z(e,t,n,r,i,o){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function F(e,t,n,r,o){return o||z(e,0,n,4),i.write(e,t,n,r,23,4),n+4}function L(e,t,n,r,o){return o||z(e,0,n,8),i.write(e,t,n,r,52,8),n+8}c.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t0&&(i*=256);)r+=this[e+--t]*i;return r},c.prototype.readUInt8=function(e,t){return t||T(e,1,this.length),this[e]},c.prototype.readUInt16LE=function(e,t){return t||T(e,2,this.length),this[e]|this[e+1]<<8},c.prototype.readUInt16BE=function(e,t){return t||T(e,2,this.length),this[e]<<8|this[e+1]},c.prototype.readUInt32LE=function(e,t){return t||T(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},c.prototype.readUInt32BE=function(e,t){return t||T(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},c.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||T(e,t,this.length);for(var r=this[e],i=1,o=0;++o=(i*=128)&&(r-=Math.pow(2,8*t)),r},c.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||T(e,t,this.length);for(var r=t,i=1,o=this[e+--r];r>0&&(i*=256);)o+=this[e+--r]*i;return o>=(i*=128)&&(o-=Math.pow(2,8*t)),o},c.prototype.readInt8=function(e,t){return t||T(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},c.prototype.readInt16LE=function(e,t){t||T(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},c.prototype.readInt16BE=function(e,t){t||T(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},c.prototype.readInt32LE=function(e,t){return t||T(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},c.prototype.readInt32BE=function(e,t){return t||T(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},c.prototype.readFloatLE=function(e,t){return t||T(e,4,this.length),i.read(this,e,!0,23,4)},c.prototype.readFloatBE=function(e,t){return t||T(e,4,this.length),i.read(this,e,!1,23,4)},c.prototype.readDoubleLE=function(e,t){return t||T(e,8,this.length),i.read(this,e,!0,52,8)},c.prototype.readDoubleBE=function(e,t){return t||T(e,8,this.length),i.read(this,e,!1,52,8)},c.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||R(this,e,t,n,Math.pow(2,8*n)-1,0);var i=1,o=0;for(this[t]=255&e;++o=0&&(o*=256);)this[t+i]=e/o&255;return t+n},c.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,1,255,0),c.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},c.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,65535,0),c.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},c.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,65535,0),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},c.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,4294967295,0),c.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):D(this,e,t,!0),t+4},c.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,4294967295,0),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):D(this,e,t,!1),t+4},c.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);R(this,e,t,n,i-1,-i)}var o=0,a=1,s=0;for(this[t]=255&e;++o>0)-s&255;return t+n},c.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);R(this,e,t,n,i-1,-i)}var o=n-1,a=1,s=0;for(this[t+o]=255&e;--o>=0&&(a*=256);)e<0&&0===s&&0!==this[t+o+1]&&(s=1),this[t+o]=(e/a>>0)-s&255;return t+n},c.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,1,127,-128),c.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},c.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,32767,-32768),c.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},c.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,2,32767,-32768),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},c.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,2147483647,-2147483648),c.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):D(this,e,t,!0),t+4},c.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||R(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),c.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):D(this,e,t,!1),t+4},c.prototype.writeFloatLE=function(e,t,n){return F(this,e,t,!0,n)},c.prototype.writeFloatBE=function(e,t,n){return F(this,e,t,!1,n)},c.prototype.writeDoubleLE=function(e,t,n){return L(this,e,t,!0,n)},c.prototype.writeDoubleBE=function(e,t,n){return L(this,e,t,!1,n)},c.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t=0;--i)e[i+t]=this[i+n];else if(o<1e3||!c.TYPED_ARRAY_SUPPORT)for(i=0;i>>=0,n=void 0===n?this.length:n>>>0,e||(e=0),"number"==typeof e)for(o=t;o55295&&n<57344){if(!i){if(n>56319){(t-=3)>-1&&o.push(239,191,189);continue}if(a+1===r){(t-=3)>-1&&o.push(239,191,189);continue}i=n;continue}if(n<56320){(t-=3)>-1&&o.push(239,191,189),i=n;continue}n=65536+(i-55296<<10|n-56320)}else i&&(t-=3)>-1&&o.push(239,191,189);if(i=null,n<128){if((t-=1)<0)break;o.push(n)}else if(n<2048){if((t-=2)<0)break;o.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;o.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;o.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return o}function H(e){return r.toByteArray(function(e){if((e=function(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}(e).replace(N,"")).length<2)return"";for(;e.length%4!=0;)e+="=";return e}(e))}function V(e,t,n,r){for(var i=0;i=t.length||i>=e.length);++i)t[i+n]=e[i];return i}},function(e,t,n){"use strict";t.byteLength=function(e){var t=l(e),n=t[0],r=t[1];return 3*(n+r)/4-r},t.toByteArray=function(e){var t,n,r=l(e),a=r[0],s=r[1],c=new o(function(e,t,n){return 3*(t+n)/4-n}(0,a,s)),u=0,d=s>0?a-4:a;for(n=0;n>16&255,c[u++]=t>>8&255,c[u++]=255&t;2===s&&(t=i[e.charCodeAt(n)]<<2|i[e.charCodeAt(n+1)]>>4,c[u++]=255&t);1===s&&(t=i[e.charCodeAt(n)]<<10|i[e.charCodeAt(n+1)]<<4|i[e.charCodeAt(n+2)]>>2,c[u++]=t>>8&255,c[u++]=255&t);return c},t.fromByteArray=function(e){for(var t,n=e.length,i=n%3,o=[],a=0,s=n-i;as?s:a+16383));1===i?(t=e[n-1],o.push(r[t>>2]+r[t<<4&63]+"==")):2===i&&(t=(e[n-2]<<8)+e[n-1],o.push(r[t>>10]+r[t>>4&63]+r[t<<2&63]+"="));return o.join("")};for(var r=[],i=[],o="undefined"!=typeof Uint8Array?Uint8Array:Array,a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",s=0,c=a.length;s0)throw new Error("Invalid string. Length must be a multiple of 4");var n=e.indexOf("=");return-1===n&&(n=t),[n,n===t?0:4-n%4]}function u(e,t,n){for(var i,o,a=[],s=t;s>18&63]+r[o>>12&63]+r[o>>6&63]+r[63&o]);return a.join("")}i["-".charCodeAt(0)]=62,i["_".charCodeAt(0)]=63},function(e,t){t.read=function(e,t,n,r,i){var o,a,s=8*i-r-1,c=(1<>1,u=-7,d=n?i-1:0,f=n?-1:1,p=e[t+d];for(d+=f,o=p&(1<<-u)-1,p>>=-u,u+=s;u>0;o=256*o+e[t+d],d+=f,u-=8);for(a=o&(1<<-u)-1,o>>=-u,u+=r;u>0;a=256*a+e[t+d],d+=f,u-=8);if(0===o)o=1-l;else{if(o===c)return a?NaN:1/0*(p?-1:1);a+=Math.pow(2,r),o-=l}return(p?-1:1)*a*Math.pow(2,o-r)},t.write=function(e,t,n,r,i,o){var a,s,c,l=8*o-i-1,u=(1<>1,f=23===i?Math.pow(2,-24)-Math.pow(2,-77):0,p=r?0:o-1,h=r?1:-1,m=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(s=isNaN(t)?1:0,a=u):(a=Math.floor(Math.log(t)/Math.LN2),t*(c=Math.pow(2,-a))<1&&(a--,c*=2),(t+=a+d>=1?f/c:f*Math.pow(2,1-d))*c>=2&&(a++,c/=2),a+d>=u?(s=0,a=u):a+d>=1?(s=(t*c-1)*Math.pow(2,i),a+=d):(s=t*Math.pow(2,d-1)*Math.pow(2,i),a=0));i>=8;e[n+p]=255&s,p+=h,s/=256,i-=8);for(a=a<0;e[n+p]=255&a,p+=h,a/=256,l-=8);e[n+p-h]|=128*m}},function(e,t){var n={}.toString;e.exports=Array.isArray||function(e){return"[object Array]"==n.call(e)}},function(e,t,n){"use strict";var r=n(22),i=Object.prototype.hasOwnProperty,o=Object.prototype.toString;e.exports=new r("tag:yaml.org,2002:omap",{kind:"sequence",resolve:function(e){if(null===e)return!0;var t,n,r,a,s,c=[],l=e;for(t=0,n=l.length;t3)return!1;if("/"!==t[t.length-r.length-1])return!1}return!0},construct:function(e){var t=e,n=/\/([gim]*)$/.exec(e),r="";return"/"===t[0]&&(n&&(r=n[1]),t=t.slice(1,t.length-r.length-1)),new RegExp(t,r)},predicate:function(e){return"[object RegExp]"===Object.prototype.toString.call(e)},represent:function(e){var t="/"+e.source+"/";return e.global&&(t+="g"),e.multiline&&(t+="m"),e.ignoreCase&&(t+="i"),t}})},function(e,t,n){"use strict";var r;try{r=n(!function(){var e=new Error("Cannot find module 'esprima'");throw e.code="MODULE_NOT_FOUND",e}())}catch(o){"undefined"!=typeof window&&(r=window.esprima)}var i=n(22);e.exports=new i("tag:yaml.org,2002:js/function",{kind:"scalar",resolve:function(e){if(null===e)return!1;try{var t="("+e+")",n=r.parse(t,{range:!0});return"Program"===n.type&&1===n.body.length&&"ExpressionStatement"===n.body[0].type&&("ArrowFunctionExpression"===n.body[0].expression.type||"FunctionExpression"===n.body[0].expression.type)}catch(i){return!1}},construct:function(e){var t,n="("+e+")",i=r.parse(n,{range:!0}),o=[];if("Program"!==i.type||1!==i.body.length||"ExpressionStatement"!==i.body[0].type||"ArrowFunctionExpression"!==i.body[0].expression.type&&"FunctionExpression"!==i.body[0].expression.type)throw new Error("Failed to resolve function");return i.body[0].expression.params.forEach((function(e){o.push(e.name)})),t=i.body[0].expression.body.range,"BlockStatement"===i.body[0].expression.body.type?new Function(o,n.slice(t[0]+1,t[1]-1)):new Function(o,"return "+n.slice(t[0],t[1]))},predicate:function(e){return"[object Function]"===Object.prototype.toString.call(e)},represent:function(e){return e.toString()}})},function(e,t,n){"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var i=n(64),o=n(71),a=n(82),s=n(72),c=Object.prototype.toString,l=Object.prototype.hasOwnProperty,u={0:"\\0",7:"\\a",8:"\\b",9:"\\t",10:"\\n",11:"\\v",12:"\\f",13:"\\r",27:"\\e",34:'\\"',92:"\\\\",133:"\\N",160:"\\_",8232:"\\L",8233:"\\P"},d=["y","Y","yes","Yes","YES","on","On","ON","n","N","no","No","NO","off","Off","OFF"];function f(e){var t,n,r;if(t=e.toString(16).toUpperCase(),e<=255)n="x",r=2;else if(e<=65535)n="u",r=4;else{if(!(e<=4294967295))throw new o("code point within a string may not be greater than 0xFFFFFFFF");n="U",r=8}return"\\"+n+i.repeat("0",r-t.length)+t}function p(e){this.schema=e.schema||a,this.indent=Math.max(1,e.indent||2),this.noArrayIndent=e.noArrayIndent||!1,this.skipInvalid=e.skipInvalid||!1,this.flowLevel=i.isNothing(e.flowLevel)?-1:e.flowLevel,this.styleMap=function(e,t){var n,r,i,o,a,s,c;if(null===t)return{};for(n={},i=0,o=(r=Object.keys(t)).length;ir&&" "!==e[d+1],d=o);else if(!v(a))return 5;f=f&&b(a)}l=l||u&&o-d-1>r&&" "!==e[d+1]}return c||l?n>9&&g(e)?5:l?4:3:f&&!i(e)?1:2}function w(e,t,n,r){e.dump=function(){if(0===t.length)return"''";if(!e.noCompatMode&&-1!==d.indexOf(t))return"'"+t+"'";var i=e.indent*Math.max(1,n),a=-1===e.lineWidth?-1:Math.max(Math.min(e.lineWidth,40),e.lineWidth-i),s=r||e.flowLevel>-1&&n>=e.flowLevel;switch(_(t,s,e.indent,a,(function(t){return function(e,t){var n,r;for(n=0,r=e.implicitTypes.length;n"+k(t,e.indent)+O(h(function(e,t){var n,r,i=/(\n+)([^\n]*)/g,o=(s=e.indexOf("\n"),s=-1!==s?s:e.length,i.lastIndex=s,x(e.slice(0,s),t)),a="\n"===e[0]||" "===e[0];var s;for(;r=i.exec(e);){var c=r[1],l=r[2];n=" "===l[0],o+=c+(a||n||""===l?"":"\n")+x(l,t),a=n}return o}(t,a),i));case 5:return'"'+function(e){for(var t,n,r,i="",o=0;o=55296&&t<=56319&&(n=e.charCodeAt(o+1))>=56320&&n<=57343?(i+=f(1024*(t-55296)+n-56320+65536),o++):(r=u[t],i+=!r&&v(t)?e[o]:r||f(t));return i}(t)+'"';default:throw new o("impossible error: invalid scalar style")}}()}function k(e,t){var n=g(e)?String(t):"",r="\n"===e[e.length-1];return n+(r&&("\n"===e[e.length-2]||"\n"===e)?"+":r?"":"-")+"\n"}function O(e){return"\n"===e[e.length-1]?e.slice(0,-1):e}function x(e,t){if(""===e||" "===e[0])return e;for(var n,r,i=/ [^ ]/g,o=0,a=0,s=0,c="";n=i.exec(e);)(s=n.index)-o>t&&(r=a>o?a:s,c+="\n"+e.slice(o,r),o=r+1),a=s;return c+="\n",e.length-o>t&&a>o?c+=e.slice(o,a)+"\n"+e.slice(a+1):c+=e.slice(o),c.slice(1)}function E(e,t,n){var i,a,s,u,d,f;for(s=0,u=(a=n?e.explicitTypes:e.implicitTypes).length;s tag resolver accepts not "'+f+'" style');i=d.represent[f](t,f)}e.dump=i}return!0}return!1}function S(e,t,n,r,i,a){e.tag=null,e.dump=n,E(e,n,!1)||E(e,n,!0);var s=c.call(e.dump);r&&(r=e.flowLevel<0||e.flowLevel>t);var l,u,d="[object Object]"===s||"[object Array]"===s;if(d&&(u=-1!==(l=e.duplicates.indexOf(n))),(null!==e.tag&&"?"!==e.tag||u||2!==e.indent&&t>0)&&(i=!1),u&&e.usedDuplicates[l])e.dump="*ref_"+l;else{if(d&&u&&!e.usedDuplicates[l]&&(e.usedDuplicates[l]=!0),"[object Object]"===s)r&&0!==Object.keys(e.dump).length?(!function(e,t,n,r){var i,a,s,c,l,u,d="",f=e.tag,p=Object.keys(n);if(!0===e.sortKeys)p.sort();else if("function"==typeof e.sortKeys)p.sort(e.sortKeys);else if(e.sortKeys)throw new o("sortKeys must be a boolean or a function");for(i=0,a=p.length;i1024)&&(e.dump&&10===e.dump.charCodeAt(0)?u+="?":u+="? "),u+=e.dump,l&&(u+=m(e,t)),S(e,t+1,c,!0,l)&&(e.dump&&10===e.dump.charCodeAt(0)?u+=":":u+=": ",d+=u+=e.dump));e.tag=f,e.dump=d||"{}"}(e,t,e.dump,i),u&&(e.dump="&ref_"+l+e.dump)):(!function(e,t,n){var r,i,o,a,s,c="",l=e.tag,u=Object.keys(n);for(r=0,i=u.length;r1024&&(s+="? "),s+=e.dump+(e.condenseFlow?'"':"")+":"+(e.condenseFlow?"":" "),S(e,t,a,!1,!1)&&(c+=s+=e.dump));e.tag=l,e.dump="{"+c+"}"}(e,t,e.dump),u&&(e.dump="&ref_"+l+" "+e.dump));else if("[object Array]"===s){var f=e.noArrayIndent&&t>0?t-1:t;r&&0!==e.dump.length?(!function(e,t,n,r){var i,o,a="",s=e.tag;for(i=0,o=n.length;i "+e.dump)}return!0}function j(e,t){var n,i,o=[],a=[];for(function e(t,n,i){var o,a,s;if(null!==t&&"object"===r(t))if(-1!==(a=n.indexOf(t)))-1===i.indexOf(a)&&i.push(a);else if(n.push(t),Array.isArray(t))for(a=0,s=t.length;a{const i=new XMLHttpRequest,o=[],a=[],s={},c=()=>({ok:2==(i.status/100|0),statusText:i.statusText,status:i.status,url:i.responseURL,text:()=>Promise.resolve(i.responseText),json:()=>Promise.resolve(JSON.parse(i.responseText)),blob:()=>Promise.resolve(new Blob([i.response])),clone:c,headers:{keys:()=>o,entries:()=>a,get:e=>s[e.toLowerCase()],has:e=>e.toLowerCase()in s}});i.open(t.method||"get",e,!0),i.onload=()=>{i.getAllResponseHeaders().replace(/^(.*?):[^\S\n]*([\s\S]*?)$/gm,(e,t,n)=>{o.push(t=t.toLowerCase()),a.push([t,n]),s[t]=s[t]?`${s[t]},${n}`:n}),n(c())},i.onerror=r,i.withCredentials="include"==t.credentials;for(const e in t.headers)i.setRequestHeader(e,t.headers[e]);i.send(t.body||null)})});n(128);i.a.polyfill(),void 0===Object.values&&(Object.values=function(e){return Object.keys(e).map((function(t){return e[t]}))}),String.prototype.padStart||(String.prototype.padStart=function(e,t){return e>>=0,t=String(void 0!==t?t:" "),this.length>=e?String(this):((e-=this.length)>t.length&&(t+=t.repeat(e/t.length)),t.slice(0,e)+String(this))});n(130);var o=n(0),a=n(24);function s(e,t,n,r,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void n(l)}s.done?t(c):Promise.resolve(c).then(r,i)}function c(e){return function(){var t=this,n=arguments;return new Promise((function(r,i){var o=e.apply(t,n);function a(e){s(o,r,i,a,c,"next",e)}function c(e){s(o,r,i,a,c,"throw",e)}a(void 0)}))}}var l=function(){var e=c(regeneratorRuntime.mark((function e(t){var n;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,t.callApi("GET","hassio/host/info");case 2:return n=e.sent,e.abrupt("return",Object(a.a)(n));case 4:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),u=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.t0=a.a,e.next=3,t.callApi("GET","hassio/os/info");case 3:return e.t1=e.sent,e.abrupt("return",(0,e.t0)(e.t1));case 5:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),d=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/host/reboot"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),f=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/host/shutdown"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),p=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/os/update"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),h=function(){var e=c(regeneratorRuntime.mark((function e(t){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/os/config/sync"));case 1:case"end":return e.stop()}}),e)})));return function(t){return e.apply(this,arguments)}}(),m=function(){var e=c(regeneratorRuntime.mark((function e(t,n){return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",t.callApi("POST","hassio/host/options",n));case 1:case"end":return e.stop()}}),e)})));return function(t,n){return e.apply(this,arguments)}}(),y=n(29),v=n(83),b=(n(53),n(106),n(36),n(107),n(63),n(117),n(12));function g(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){if("undefined"==typeof Symbol||!(Symbol.iterator in Object(e)))return;var n=[],r=!0,i=!1,o=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(c){i=!0,o=c}finally{try{r||null==s.return||s.return()}finally{if(i)throw o}}return n}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return _(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return _(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n .scrollable {\n -webkit-overflow-scrolling: auto !important;\n }\n\n paper-dialog-scrollable.can-scroll > .scrollable {\n -webkit-overflow-scrolling: touch !important;\n }\n \n"),document.head.appendChild(w.content);n(54);var k=n(1),O=(n(66),n(8)),x=n(42),E=n(13);function S(e){return(S="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function j(e){if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(!e)return;if("string"==typeof e)return C(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(n);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return C(e,t)}(e))){var t=0,n=function(){};return{s:n,n:function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function C(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n\n \n \n \n \n \n ']);return A=function(){return e},e}function P(){var e=B([""]);return P=function(){return e},e}function T(){var e=B(['\n \n ',"\n "]);return T=function(){return e},e}function R(){var e=B(['\n \n \n ']);return R=function(){return e},e}function I(){var e=B(['\n \n \n ']);return I=function(){return e},e}function D(){var e=B([""]);return D=function(){return e},e}function z(){var e=B(['
']);return z=function(){return e},e}function F(){var e=B(["\n \n "]);return F=function(){return e},e}function L(){var e=B(["\n ","\n ","\n ","\n ",""]);return L=function(){return e},e}function N(){var e=B([""]);return N=function(){return e},e}function M(){var e=B([""]);return M=function(){return e},e}function B(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function H(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function V(e,t){for(var n=0;n\n \n ',"\n \n "]);return pe=function(){return e},e}function he(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function me(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function ye(e,t){return(ye=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function ve(e,t){return!t||"object"!==ce(t)&&"function"!=typeof t?be(e):t}function be(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function ge(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function _e(e){return(_e=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function we(e){var t,n=Se(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function ke(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Oe(e){return e.decorators&&e.decorators.length}function xe(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Ee(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function Se(e){var t=function(e,t){if("object"!==ce(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==ce(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===ce(t)?t:String(t)}function je(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a=e.length?{done:!0}:{done:!1,value:e[t++]}},e:function(e){throw e},f:n}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,i,o=!0,a=!1;return{s:function(){r=e[Symbol.iterator]()},n:function(){var e=r.next();return o=e.done,e},e:function(e){a=!0,i=e},f:function(){try{o||null==r.return||r.return()}finally{if(a)throw i}}}}function yt(e,t){if(e){if("string"==typeof e)return vt(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?vt(e,t):void 0}}function vt(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0&&this.adapter.setTabIndexForElementIndex(t,0)}},{key:"handleFocusOut",value:function(e,t){var n=this;t>=0&&this.adapter.setTabIndexForElementIndex(t,-1),setTimeout((function(){n.adapter.isFocusInsideList()||n.setTabindexToFirstSelectedItem_()}),0)}},{key:"handleKeydown",value:function(e,t,n){var r="ArrowLeft"===ct(e),i="ArrowUp"===ct(e),o="ArrowRight"===ct(e),a="ArrowDown"===ct(e),s="Home"===ct(e),c="End"===ct(e),l="Enter"===ct(e),u="Spacebar"===ct(e);if(this.adapter.isRootFocused())i||c?(e.preventDefault(),this.focusLastElement()):(a||s)&&(e.preventDefault(),this.focusFirstElement());else{var d=this.adapter.getFocusedElementIndex();if(!(-1===d&&(d=n)<0)){var f;if(this.isVertical_&&a||!this.isVertical_&&o)this.preventDefaultEvent(e),f=this.focusNextElement(d);else if(this.isVertical_&&i||!this.isVertical_&&r)this.preventDefaultEvent(e),f=this.focusPrevElement(d);else if(s)this.preventDefaultEvent(e),f=this.focusFirstElement();else if(c)this.preventDefaultEvent(e),f=this.focusLastElement();else if((l||u)&&t){var p=e.target;if(p&&"A"===p.tagName&&l)return;this.preventDefaultEvent(e),this.setSelectedIndexOnAction_(d,!0)}this.focusedItemIndex_=d,void 0!==f&&(this.setTabindexAtIndex_(f),this.focusedItemIndex_=f)}}}},{key:"handleSingleSelection",value:function(e,t,n){e!==ft.UNSET_INDEX&&(this.setSelectedIndexOnAction_(e,t,n),this.setTabindexAtIndex_(e),this.focusedItemIndex_=e)}},{key:"focusNextElement",value:function(e){var t=e+1;if(t>=this.adapter.getListItemCount()){if(!this.wrapFocus_)return e;t=0}return this.adapter.focusItemAtIndex(t),t}},{key:"focusPrevElement",value:function(e){var t=e-1;if(t<0){if(!this.wrapFocus_)return e;t=this.adapter.getListItemCount()-1}return this.adapter.focusItemAtIndex(t),t}},{key:"focusFirstElement",value:function(){return this.adapter.focusItemAtIndex(0),0}},{key:"focusLastElement",value:function(){var e=this.adapter.getListItemCount()-1;return this.adapter.focusItemAtIndex(e),e}},{key:"setEnabled",value:function(e,t){this.isIndexValid_(e)&&this.adapter.setDisabledStateForElementIndex(e,!t)}},{key:"preventDefaultEvent",value:function(e){var t=e.target,n="".concat(t.tagName).toLowerCase();-1===xt.indexOf(n)&&e.preventDefault()}},{key:"setSingleSelectionAtIndex_",value:function(e){var t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];this.selectedIndex_!==e&&(this.selectedIndex_!==ft.UNSET_INDEX&&(this.adapter.setSelectedStateForElementIndex(this.selectedIndex_,!1),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(this.selectedIndex_,!1)),t&&this.adapter.setSelectedStateForElementIndex(e,!0),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(e,!0),this.setAriaForSingleSelectionAtIndex_(e),this.selectedIndex_=e,this.adapter.notifySelected(e))}},{key:"setMultiSelectionAtIndex_",value:function(e){var t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],n=St(this.selectedIndex_),r=Ot(n,e);if(r.removed.length||r.added.length){var i,o=mt(r.removed);try{for(o.s();!(i=o.n()).done;){var a=i.value;t&&this.adapter.setSelectedStateForElementIndex(a,!1),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(a,!1)}}catch(u){o.e(u)}finally{o.f()}var s,c=mt(r.added);try{for(c.s();!(s=c.n()).done;){var l=s.value;t&&this.adapter.setSelectedStateForElementIndex(l,!0),this.useActivatedClass_&&this.adapter.setActivatedStateForElementIndex(l,!0)}}catch(u){c.e(u)}finally{c.f()}this.selectedIndex_=e,this.adapter.notifySelected(e,r)}}},{key:"setAriaForSingleSelectionAtIndex_",value:function(e){this.selectedIndex_===ft.UNSET_INDEX&&(this.ariaCurrentAttrValue_=this.adapter.getAttributeForElementIndex(e,dt.ARIA_CURRENT));var t=null!==this.ariaCurrentAttrValue_,n=t?dt.ARIA_CURRENT:dt.ARIA_SELECTED;this.selectedIndex_!==ft.UNSET_INDEX&&this.adapter.setAttributeForElementIndex(this.selectedIndex_,n,"false");var r=t?this.ariaCurrentAttrValue_:"true";this.adapter.setAttributeForElementIndex(e,n,r)}},{key:"setTabindexAtIndex_",value:function(e){this.focusedItemIndex_===ft.UNSET_INDEX&&0!==e?this.adapter.setTabIndexForElementIndex(0,-1):this.focusedItemIndex_>=0&&this.focusedItemIndex_!==e&&this.adapter.setTabIndexForElementIndex(this.focusedItemIndex_,-1),this.adapter.setTabIndexForElementIndex(e,0)}},{key:"setTabindexToFirstSelectedItem_",value:function(){var e=0;"number"==typeof this.selectedIndex_&&this.selectedIndex_!==ft.UNSET_INDEX?e=this.selectedIndex_:Et(this.selectedIndex_)&&this.selectedIndex_.size>0&&(e=Math.min.apply(Math,ht(this.selectedIndex_))),this.setTabindexAtIndex_(e)}},{key:"isIndexValid_",value:function(e){if(e instanceof Set){if(!this.isMulti_)throw new Error("MDCListFoundation: Array of index is only supported for checkbox based list");if(0===e.size)return!0;var t,n=!1,r=mt(e);try{for(r.s();!(t=r.n()).done;){var i=t.value;if(n=this.isIndexInRange_(i))break}}catch(o){r.e(o)}finally{r.f()}return n}if("number"==typeof e){if(this.isMulti_)throw new Error("MDCListFoundation: Expected array of index for checkbox based list but got number: "+e);return e===ft.UNSET_INDEX||this.isIndexInRange_(e)}return!1}},{key:"isIndexInRange_",value:function(e){var t=this.adapter.getListItemCount();return e>=0&&e2&&void 0!==arguments[2])||arguments[2],r=!1;r=void 0===t?!this.adapter.getSelectedStateForElementIndex(e):t;var i=St(this.selectedIndex_);r?i.add(e):i.delete(e),this.setMultiSelectionAtIndex_(i,n)}}])&&bt(n.prototype,r),i&&bt(n,i),a}(Te.a);function Ct(e){return(Ct="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function At(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["\n \x3c!-- @ts-ignore --\x3e\n 1&&void 0!==arguments[1]&&arguments[1],n=this.items[e];n&&(n.selected=!0,n.activated=t)}},{key:"deselectUi",value:function(e){var t=this.items[e];t&&(t.selected=!1,t.activated=!1)}},{key:"select",value:function(e){this.mdcFoundation&&this.mdcFoundation.setSelectedIndex(e)}},{key:"toggle",value:function(e,t){this.multi&&this.mdcFoundation.toggleMultiAtIndex(e,t)}},{key:"onListItemConnected",value:function(e){var t=e.target;this.layout(-1===this.items.indexOf(t))}},{key:"layout",value:function(){var e=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];e&&this.updateItems();var t,n=this.items[0],r=Pt(this.items);try{for(r.s();!(t=r.n()).done;){var i=t.value;i.tabindex=-1}}catch(o){r.e(o)}finally{r.f()}n&&(this.noninteractive?this.previousTabindex||(this.previousTabindex=n):n.tabindex=0)}},{key:"getFocusedItemIndex",value:function(){if(!this.mdcRoot)return-1;if(!this.items.length)return-1;var e=Object(Ae.b)();if(!e.length)return-1;for(var t=e.length-1;t>=0;t--){var n=e[t];if(Mt(n))return this.items.indexOf(n)}return-1}},{key:"focusItemAtIndex",value:function(e){var t,n=Pt(this.items);try{for(n.s();!(t=n.n()).done;){var r=t.value;if(0===r.tabindex){r.tabindex=-1;break}}}catch(i){n.e(i)}finally{n.f()}this.items[e].tabindex=0,this.items[e].focus()}},{key:"focus",value:function(){var e=this.mdcRoot;e&&e.focus()}},{key:"blur",value:function(){var e=this.mdcRoot;e&&e.blur()}},{key:"assignedElements",get:function(){var e=this.slotElement;return e?e.assignedNodes({flatten:!0}).filter(Ae.e):[]}},{key:"items",get:function(){return this.items_}},{key:"selected",get:function(){var e=this.index;if(!Et(e))return-1===e?null:this.items[e];var t,n=[],r=Pt(e);try{for(r.s();!(t=r.n()).done;){var i=t.value;n.push(this.items[i])}}catch(o){r.e(o)}finally{r.f()}return n}},{key:"index",get:function(){return this.mdcFoundation?this.mdcFoundation.getSelectedIndex():-1}}])&&It(n.prototype,r),i&&It(n,i),s}(Ce.a);function Ht(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['@keyframes mdc-ripple-fg-radius-in{from{animation-timing-function:cubic-bezier(0.4, 0, 0.2, 1);transform:translate(var(--mdc-ripple-fg-translate-start, 0)) scale(1)}to{transform:translate(var(--mdc-ripple-fg-translate-end, 0)) scale(var(--mdc-ripple-fg-scale, 1))}}@keyframes mdc-ripple-fg-opacity-in{from{animation-timing-function:linear;opacity:0}to{opacity:var(--mdc-ripple-fg-opacity, 0)}}@keyframes mdc-ripple-fg-opacity-out{from{animation-timing-function:linear;opacity:var(--mdc-ripple-fg-opacity, 0)}to{opacity:0}}:host{display:block}.mdc-list{-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;font-family:Roboto, sans-serif;font-family:var(--mdc-typography-subtitle1-font-family, var(--mdc-typography-font-family, Roboto, sans-serif));font-size:1rem;font-size:var(--mdc-typography-subtitle1-font-size, 1rem);line-height:1.75rem;line-height:var(--mdc-typography-subtitle1-line-height, 1.75rem);font-weight:400;font-weight:var(--mdc-typography-subtitle1-font-weight, 400);letter-spacing:0.009375em;letter-spacing:var(--mdc-typography-subtitle1-letter-spacing, 0.009375em);text-decoration:inherit;text-decoration:var(--mdc-typography-subtitle1-text-decoration, inherit);text-transform:inherit;text-transform:var(--mdc-typography-subtitle1-text-transform, inherit);line-height:1.5rem;margin:0;padding:8px 0;list-style-type:none;color:rgba(0,0,0,.87);color:var(--mdc-theme-text-primary-on-background, rgba(0, 0, 0, 0.87));padding:var(--mdc-list-vertical-padding, 8px) 0}.mdc-list:focus{outline:none}.mdc-list-item{height:48px}.mdc-list--dense{padding-top:4px;padding-bottom:4px;font-size:.812rem}.mdc-list ::slotted([divider]){height:0;margin:0;border:none;border-bottom-width:1px;border-bottom-style:solid;border-bottom-color:rgba(0,0,0,.12)}.mdc-list ::slotted([divider][padded]){margin:0 var(--mdc-list-side-padding, 16px)}.mdc-list ::slotted([divider][inset]){margin-left:var(--mdc-list-inset-margin, 72px);margin-right:0;width:calc(100% - var(--mdc-list-inset-margin, 72px))}.mdc-list-group[dir=rtl] .mdc-list ::slotted([divider][inset]),[dir=rtl] .mdc-list-group .mdc-list ::slotted([divider][inset]){margin-left:0;margin-right:var(--mdc-list-inset-margin, 72px)}.mdc-list ::slotted([divider][inset][padded]){width:calc(100% - var(--mdc-list-inset-margin, 72px) - var(--mdc-list-side-padding, 16px))}.mdc-list--dense ::slotted([mwc-list-item]){height:40px}.mdc-list--dense ::slotted([mwc-list]){--mdc-list-item-graphic-size: 20px}.mdc-list--two-line.mdc-list--dense ::slotted([mwc-list-item]),.mdc-list--avatar-list.mdc-list--dense ::slotted([mwc-list-item]){height:60px}.mdc-list--avatar-list.mdc-list--dense ::slotted([mwc-list]){--mdc-list-item-graphic-size: 36px}:host([noninteractive]){pointer-events:none;cursor:default}.mdc-list--dense ::slotted(.mdc-list-item__primary-text){display:block;margin-top:0;line-height:normal;margin-bottom:-20px}.mdc-list--dense ::slotted(.mdc-list-item__primary-text)::before{display:inline-block;width:0;height:24px;content:"";vertical-align:0}.mdc-list--dense ::slotted(.mdc-list-item__primary-text)::after{display:inline-block;width:0;height:20px;content:"";vertical-align:-20px}']);return Ht=function(){return e},e}Object(k.b)([Object(o.i)(".mdc-list")],Bt.prototype,"mdcRoot",void 0),Object(k.b)([Object(o.i)("slot")],Bt.prototype,"slotElement",void 0),Object(k.b)([Object(o.h)({type:Boolean}),Object(O.a)((function(e){this.mdcFoundation&&this.mdcFoundation.setUseActivatedClass(e)}))],Bt.prototype,"activatable",void 0),Object(k.b)([Object(o.h)({type:Boolean}),Object(O.a)((function(e,t){this.mdcFoundation&&this.mdcFoundation.setMulti(e),void 0!==t&&this.layout()}))],Bt.prototype,"multi",void 0),Object(k.b)([Object(o.h)({type:Boolean}),Object(O.a)((function(e){this.mdcFoundation&&this.mdcFoundation.setWrapFocus(e)}))],Bt.prototype,"wrapFocus",void 0),Object(k.b)([Object(o.h)({type:String}),Object(O.a)((function(e,t){void 0!==t&&this.updateItems()}))],Bt.prototype,"itemRoles",void 0),Object(k.b)([Object(o.h)({type:String})],Bt.prototype,"innerRole",void 0),Object(k.b)([Object(o.h)({type:String})],Bt.prototype,"innerAriaLabel",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bt.prototype,"rootTabbable",void 0),Object(k.b)([Object(o.h)({type:Boolean,reflect:!0}),Object(O.a)((function(e){var t=this.slotElement;if(e&&t){var n=Object(Ae.d)(t,'[tabindex="0"]');this.previousTabindex=n,n&&n.setAttribute("tabindex","-1")}else!e&&this.previousTabindex&&(this.previousTabindex.setAttribute("tabindex","0"),this.previousTabindex=null)}))],Bt.prototype,"noninteractive",void 0);var Vt=Object(o.c)(Ht());function Ut(e){return(Ut="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Kt(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function $t(e,t){return($t=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yt(e,t){return!t||"object"!==Ut(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function qt(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Wt(e){return(Wt=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var Gt=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&$t(e,t)}(r,e);var t,n=(t=r,function(){var e,n=Wt(t);if(qt()){var r=Wt(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return Yt(this,e)});function r(){return Kt(this,r),n.apply(this,arguments)}return r}(Bt);Gt.styles=Vt,Gt=Object(k.b)([Object(o.d)("mwc-list")],Gt);var Xt,Zt,Jt={ANCHOR:"mdc-menu-surface--anchor",ANIMATING_CLOSED:"mdc-menu-surface--animating-closed",ANIMATING_OPEN:"mdc-menu-surface--animating-open",FIXED:"mdc-menu-surface--fixed",IS_OPEN_BELOW:"mdc-menu-surface--is-open-below",OPEN:"mdc-menu-surface--open",ROOT:"mdc-menu-surface"},Qt={CLOSED_EVENT:"MDCMenuSurface:closed",OPENED_EVENT:"MDCMenuSurface:opened",FOCUSABLE_ELEMENTS:["button:not(:disabled)",'[href]:not([aria-disabled="true"])',"input:not(:disabled)","select:not(:disabled)","textarea:not(:disabled)",'[tabindex]:not([tabindex="-1"]):not([aria-disabled="true"])'].join(", ")},en={TRANSITION_OPEN_DURATION:120,TRANSITION_CLOSE_DURATION:75,MARGIN_TO_EDGE:32,ANCHOR_TO_MENU_SURFACE_WIDTH_RATIO:.67};!function(e){e[e.BOTTOM=1]="BOTTOM",e[e.CENTER=2]="CENTER",e[e.RIGHT=4]="RIGHT",e[e.FLIP_RTL=8]="FLIP_RTL"}(Xt||(Xt={})),function(e){e[e.TOP_LEFT=0]="TOP_LEFT",e[e.TOP_RIGHT=4]="TOP_RIGHT",e[e.BOTTOM_LEFT=1]="BOTTOM_LEFT",e[e.BOTTOM_RIGHT=5]="BOTTOM_RIGHT",e[e.TOP_START=8]="TOP_START",e[e.TOP_END=12]="TOP_END",e[e.BOTTOM_START=9]="BOTTOM_START",e[e.BOTTOM_END=13]="BOTTOM_END"}(Zt||(Zt={}));var tn,nn=function(e){function t(n){var r=e.call(this,Object(k.a)(Object(k.a)({},t.defaultAdapter),n))||this;return r.isSurfaceOpen=!1,r.isQuickOpen=!1,r.isHoistedElement=!1,r.isFixedPosition=!1,r.openAnimationEndTimerId=0,r.closeAnimationEndTimerId=0,r.animationRequestId=0,r.anchorCorner=Zt.TOP_START,r.originCorner=Zt.TOP_START,r.anchorMargin={top:0,right:0,bottom:0,left:0},r.position={x:0,y:0},r}return Object(k.c)(t,e),Object.defineProperty(t,"cssClasses",{get:function(){return Jt},enumerable:!0,configurable:!0}),Object.defineProperty(t,"strings",{get:function(){return Qt},enumerable:!0,configurable:!0}),Object.defineProperty(t,"numbers",{get:function(){return en},enumerable:!0,configurable:!0}),Object.defineProperty(t,"Corner",{get:function(){return Zt},enumerable:!0,configurable:!0}),Object.defineProperty(t,"defaultAdapter",{get:function(){return{addClass:function(){},removeClass:function(){},hasClass:function(){return!1},hasAnchor:function(){return!1},isElementInContainer:function(){return!1},isFocused:function(){return!1},isRtl:function(){return!1},getInnerDimensions:function(){return{height:0,width:0}},getAnchorDimensions:function(){return null},getWindowDimensions:function(){return{height:0,width:0}},getBodyDimensions:function(){return{height:0,width:0}},getWindowScroll:function(){return{x:0,y:0}},setPosition:function(){},setMaxHeight:function(){},setTransformOrigin:function(){},saveFocus:function(){},restoreFocus:function(){},notifyClose:function(){},notifyOpen:function(){}}},enumerable:!0,configurable:!0}),t.prototype.init=function(){var e=t.cssClasses,n=e.ROOT,r=e.OPEN;if(!this.adapter.hasClass(n))throw new Error(n+" class required in root element.");this.adapter.hasClass(r)&&(this.isSurfaceOpen=!0)},t.prototype.destroy=function(){clearTimeout(this.openAnimationEndTimerId),clearTimeout(this.closeAnimationEndTimerId),cancelAnimationFrame(this.animationRequestId)},t.prototype.setAnchorCorner=function(e){this.anchorCorner=e},t.prototype.flipCornerHorizontally=function(){this.originCorner=this.originCorner^Xt.RIGHT},t.prototype.setAnchorMargin=function(e){this.anchorMargin.top=e.top||0,this.anchorMargin.right=e.right||0,this.anchorMargin.bottom=e.bottom||0,this.anchorMargin.left=e.left||0},t.prototype.setIsHoisted=function(e){this.isHoistedElement=e},t.prototype.setFixedPosition=function(e){this.isFixedPosition=e},t.prototype.setAbsolutePosition=function(e,t){this.position.x=this.isFinite(e)?e:0,this.position.y=this.isFinite(t)?t:0},t.prototype.setQuickOpen=function(e){this.isQuickOpen=e},t.prototype.isOpen=function(){return this.isSurfaceOpen},t.prototype.open=function(){var e=this;this.isSurfaceOpen||(this.adapter.saveFocus(),this.isQuickOpen?(this.isSurfaceOpen=!0,this.adapter.addClass(t.cssClasses.OPEN),this.dimensions=this.adapter.getInnerDimensions(),this.autoposition(),this.adapter.notifyOpen()):(this.adapter.addClass(t.cssClasses.ANIMATING_OPEN),this.animationRequestId=requestAnimationFrame((function(){e.adapter.addClass(t.cssClasses.OPEN),e.dimensions=e.adapter.getInnerDimensions(),e.autoposition(),e.openAnimationEndTimerId=setTimeout((function(){e.openAnimationEndTimerId=0,e.adapter.removeClass(t.cssClasses.ANIMATING_OPEN),e.adapter.notifyOpen()}),en.TRANSITION_OPEN_DURATION)})),this.isSurfaceOpen=!0))},t.prototype.close=function(e){var n=this;void 0===e&&(e=!1),this.isSurfaceOpen&&(this.isQuickOpen?(this.isSurfaceOpen=!1,e||this.maybeRestoreFocus(),this.adapter.removeClass(t.cssClasses.OPEN),this.adapter.removeClass(t.cssClasses.IS_OPEN_BELOW),this.adapter.notifyClose()):(this.adapter.addClass(t.cssClasses.ANIMATING_CLOSED),requestAnimationFrame((function(){n.adapter.removeClass(t.cssClasses.OPEN),n.adapter.removeClass(t.cssClasses.IS_OPEN_BELOW),n.closeAnimationEndTimerId=setTimeout((function(){n.closeAnimationEndTimerId=0,n.adapter.removeClass(t.cssClasses.ANIMATING_CLOSED),n.adapter.notifyClose()}),en.TRANSITION_CLOSE_DURATION)})),this.isSurfaceOpen=!1,e||this.maybeRestoreFocus()))},t.prototype.handleBodyClick=function(e){var t=e.target;this.adapter.isElementInContainer(t)||this.close()},t.prototype.handleKeydown=function(e){var t=e.keyCode;("Escape"===e.key||27===t)&&this.close()},t.prototype.autoposition=function(){var e;this.measurements=this.getAutoLayoutmeasurements();var n=this.getoriginCorner(),r=this.getMenuSurfaceMaxHeight(n),i=this.hasBit(n,Xt.BOTTOM)?"bottom":"top",o=this.hasBit(n,Xt.RIGHT)?"right":"left",a=this.getHorizontalOriginOffset(n),s=this.getVerticalOriginOffset(n),c=this.measurements,l=c.anchorSize,u=c.surfaceSize,d=((e={})[o]=a,e[i]=s,e);l.width/u.width>en.ANCHOR_TO_MENU_SURFACE_WIDTH_RATIO&&(o="center"),(this.isHoistedElement||this.isFixedPosition)&&this.adjustPositionForHoistedElement(d),this.adapter.setTransformOrigin(o+" "+i),this.adapter.setPosition(d),this.adapter.setMaxHeight(r?r+"px":""),this.hasBit(n,Xt.BOTTOM)||this.adapter.addClass(t.cssClasses.IS_OPEN_BELOW)},t.prototype.getAutoLayoutmeasurements=function(){var e=this.adapter.getAnchorDimensions(),t=this.adapter.getBodyDimensions(),n=this.adapter.getWindowDimensions(),r=this.adapter.getWindowScroll();return e||(e={top:this.position.y,right:this.position.x,bottom:this.position.y,left:this.position.x,width:0,height:0}),{anchorSize:e,bodySize:t,surfaceSize:this.dimensions,viewportDistance:{top:e.top,right:n.width-e.right,bottom:n.height-e.bottom,left:e.left},viewportSize:n,windowScroll:r}},t.prototype.getoriginCorner=function(){var e,n,r=this.originCorner,i=this.measurements,o=i.viewportDistance,a=i.anchorSize,s=i.surfaceSize,c=t.numbers.MARGIN_TO_EDGE;this.hasBit(this.anchorCorner,Xt.BOTTOM)?(e=o.top-c+a.height+this.anchorMargin.bottom,n=o.bottom-c-this.anchorMargin.bottom):(e=o.top-c+this.anchorMargin.top,n=o.bottom-c+a.height-this.anchorMargin.top),!(n-s.height>0)&&e>=n&&(r=this.setBit(r,Xt.BOTTOM));var l,u,d=this.adapter.isRtl(),f=this.hasBit(this.anchorCorner,Xt.FLIP_RTL),p=this.hasBit(this.anchorCorner,Xt.RIGHT),h=!1;(h=d&&f?!p:p)?(l=o.left+a.width+this.anchorMargin.right,u=o.right-this.anchorMargin.right):(l=o.left+this.anchorMargin.left,u=o.right+a.width-this.anchorMargin.left);var m=l-s.width>0,y=u-s.width>0,v=this.hasBit(r,Xt.FLIP_RTL)&&this.hasBit(r,Xt.RIGHT);return y&&v&&d||!m&&v?r=this.unsetBit(r,Xt.RIGHT):(m&&h&&d||m&&!h&&p||!y&&l>=u)&&(r=this.setBit(r,Xt.RIGHT)),r},t.prototype.getMenuSurfaceMaxHeight=function(e){var n=this.measurements.viewportDistance,r=0,i=this.hasBit(e,Xt.BOTTOM),o=this.hasBit(this.anchorCorner,Xt.BOTTOM),a=t.numbers.MARGIN_TO_EDGE;return i?(r=n.top+this.anchorMargin.top-a,o||(r+=this.measurements.anchorSize.height)):(r=n.bottom-this.anchorMargin.bottom+this.measurements.anchorSize.height-a,o&&(r-=this.measurements.anchorSize.height)),r},t.prototype.getHorizontalOriginOffset=function(e){var t=this.measurements.anchorSize,n=this.hasBit(e,Xt.RIGHT),r=this.hasBit(this.anchorCorner,Xt.RIGHT);if(n){var i=r?t.width-this.anchorMargin.left:this.anchorMargin.right;return this.isHoistedElement||this.isFixedPosition?i-(this.measurements.viewportSize.width-this.measurements.bodySize.width):i}return r?t.width-this.anchorMargin.right:this.anchorMargin.left},t.prototype.getVerticalOriginOffset=function(e){var t=this.measurements.anchorSize,n=this.hasBit(e,Xt.BOTTOM),r=this.hasBit(this.anchorCorner,Xt.BOTTOM);return n?r?t.height-this.anchorMargin.top:-this.anchorMargin.bottom:r?t.height+this.anchorMargin.bottom:this.anchorMargin.top},t.prototype.adjustPositionForHoistedElement=function(e){var t,n,r=this.measurements,i=r.windowScroll,o=r.viewportDistance,a=Object.keys(e);try{for(var s=Object(k.e)(a),c=s.next();!c.done;c=s.next()){var l=c.value,u=e[l]||0;u+=o[l],this.isFixedPosition||("top"===l?u+=i.y:"bottom"===l?u-=i.y:"left"===l?u+=i.x:u-=i.x),e[l]=u}}catch(d){t={error:d}}finally{try{c&&!c.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}},t.prototype.maybeRestoreFocus=function(){var e=this.adapter.isFocused(),t=document.activeElement&&this.adapter.isElementInContainer(document.activeElement);(e||t)&&this.adapter.restoreFocus()},t.prototype.hasBit=function(e,t){return Boolean(e&t)},t.prototype.setBit=function(e,t){return e|t},t.prototype.unsetBit=function(e,t){return e^t},t.prototype.isFinite=function(e){return"number"==typeof e&&isFinite(e)},t}(Te.a),rn=nn;function on(e){return(on="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function an(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(['\n =0&&t.adapter.isSelectableItemAtIndex(n)&&t.setSelectedIndex(n)}),nn.numbers.TRANSITION_CLOSE_DURATION))},t.prototype.handleMenuSurfaceOpened=function(){switch(this.defaultFocusState_){case xn.FIRST_ITEM:this.adapter.focusItemAtIndex(0);break;case xn.LAST_ITEM:this.adapter.focusItemAtIndex(this.adapter.getMenuItemCount()-1);break;case xn.NONE:break;default:this.adapter.focusListRoot()}},t.prototype.setDefaultFocusState=function(e){this.defaultFocusState_=e},t.prototype.setSelectedIndex=function(e){if(this.validatedIndex_(e),!this.adapter.isSelectableItemAtIndex(e))throw new Error("MDCMenuFoundation: No selection group at specified index.");var t=this.adapter.getSelectedSiblingOfItemAtIndex(e);t>=0&&(this.adapter.removeAttributeFromElementAtIndex(t,Sn.ARIA_CHECKED_ATTR),this.adapter.removeClassFromElementAtIndex(t,En.MENU_SELECTED_LIST_ITEM)),this.adapter.addClassToElementAtIndex(e,En.MENU_SELECTED_LIST_ITEM),this.adapter.addAttributeToElementAtIndex(e,Sn.ARIA_CHECKED_ATTR,"true")},t.prototype.setEnabled=function(e,t){this.validatedIndex_(e),t?(this.adapter.removeClassFromElementAtIndex(e,ut),this.adapter.addAttributeToElementAtIndex(e,Sn.ARIA_DISABLED_ATTR,"false")):(this.adapter.addClassToElementAtIndex(e,ut),this.adapter.addAttributeToElementAtIndex(e,Sn.ARIA_DISABLED_ATTR,"true"))},t.prototype.validatedIndex_=function(e){var t=this.adapter.getMenuItemCount();if(!(e>=0&&e0&&void 0!==arguments[0])||arguments[0],t=this.listElement;t&&t.layout(e)}},{key:"listElement",get:function(){return this.listElement_||(this.listElement_=this.renderRoot.querySelector("mwc-list")),this.listElement_}},{key:"items",get:function(){var e=this.listElement;return e?e.items:[]}},{key:"index",get:function(){var e=this.listElement;return e?e.index:-1}},{key:"selected",get:function(){var e=this.listElement;return e?e.selected:null}}])&&Dn(n.prototype,r),i&&Dn(n,i),l}(Ce.a);function Hn(){var e=function(e,t){t||(t=e.slice(0));return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}(["mwc-list ::slotted([mwc-list-item]:not([twoline])){height:var(--mdc-menu-item-height, 48px)}mwc-list{max-width:var(--mdc-menu-max-width, auto);min-width:var(--mdc-menu-min-width, auto)}"]);return Hn=function(){return e},e}Object(k.b)([Object(o.i)(".mdc-menu")],Bn.prototype,"mdcRoot",void 0),Object(k.b)([Object(o.i)("slot")],Bn.prototype,"slotElement",void 0),Object(k.b)([Object(o.h)({type:Object})],Bn.prototype,"anchor",void 0),Object(k.b)([Object(o.h)({type:Boolean,reflect:!0})],Bn.prototype,"open",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"quick",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"wrapFocus",void 0),Object(k.b)([Object(o.h)({type:String})],Bn.prototype,"innerRole",void 0),Object(k.b)([Object(o.h)({type:String})],Bn.prototype,"corner",void 0),Object(k.b)([Object(o.h)({type:Number})],Bn.prototype,"x",void 0),Object(k.b)([Object(o.h)({type:Number})],Bn.prototype,"y",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"absolute",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"multi",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"activatable",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"fixed",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"forceGroupSelection",void 0),Object(k.b)([Object(o.h)({type:Boolean})],Bn.prototype,"fullwidth",void 0),Object(k.b)([Object(o.h)({type:String})],Bn.prototype,"menuCorner",void 0),Object(k.b)([Object(o.h)({type:String}),Object(O.a)((function(e){this.mdcFoundation&&this.mdcFoundation.setDefaultFocusState(xn[e])}))],Bn.prototype,"defaultFocus",void 0);var Vn=Object(o.c)(Hn());function Un(e){return(Un="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Kn(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function $n(e,t){return($n=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Yn(e,t){return!t||"object"!==Un(t)&&"function"!=typeof t?function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e):t}function qn(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Wn(e){return(Wn=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var Gn=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&$n(e,t)}(r,e);var t,n=(t=r,function(){var e,n=Wn(t);if(qn()){var r=Wn(this).constructor;e=Reflect.construct(n,arguments,r)}else e=n.apply(this,arguments);return Yn(this,e)});function r(){return Kn(this,r),n.apply(this,arguments)}return r}(Bn);Gn.styles=Vn,Gn=Object(k.b)([Object(o.d)("mwc-menu")],Gn);n(108);function Xn(e){return(Xn="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Zn(){var e=Qn(["\n :host {\n display: inline-block;\n position: relative;\n }\n "]);return Zn=function(){return e},e}function Jn(){var e=Qn(["\n
\n
\n e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;ae.length)&&(t=e.length);for(var n=0,r=new Array(t);n0&&void 0!==arguments[0]?arguments[0]:3,t=new Map;return{get:function(n){var r=n.match(Vr).length;if(t.has(r))return t.get(r);var i=parseFloat((1/Math.sqrt(r)).toFixed(e));return t.set(r,i),i},clear:function(){t.clear()}}}var Kr=function(){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.getFn,r=void 0===n?Hr.getFn:n;jr(this,e),this.norm=Ur(3),this.getFn=r,this.isCreated=!1,this.setRecords()}return Ar(e,[{key:"setCollection",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.docs=e}},{key:"setRecords",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.records=e}},{key:"setKeys",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.keys=e}},{key:"create",value:function(){var e=this;!this.isCreated&&this.docs.length&&(this.isCreated=!0,Rr(this.docs[0])?this.docs.forEach((function(t,n){e._addString(t,n)})):this.docs.forEach((function(t,n){e._addObject(t,n)})),this.norm.clear())}},{key:"add",value:function(e){var t=this.size();Rr(e)?this._addString(e,t):this._addObject(e,t)}},{key:"removeAt",value:function(e){this.records.splice(e,1);for(var t=e,n=this.size();t2&&void 0!==arguments[2]?arguments[2]:{},r=n.getFn,i=void 0===r?Hr.getFn:r,o=new Kr({getFn:i});return o.setKeys(e),o.setCollection(t),o.create(),o}function Yr(e,t){var n=e.matches;t.matches=[],Dr(n)&&n.forEach((function(e){if(Dr(e.indices)&&e.indices.length){var n={indices:e.indices,value:e.value};e.key&&(n.key=e.key),e.idx>-1&&(n.refIndex=e.idx),t.matches.push(n)}}))}function qr(e,t){t.score=e.score}function Wr(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.errors,r=void 0===n?0:n,i=t.currentLocation,o=void 0===i?0:i,a=t.expectedLocation,s=void 0===a?0:a,c=t.distance,l=void 0===c?Hr.distance:c,u=r/e.length,d=Math.abs(s-o);return l?u+d/l:d?1:u}function Gr(){for(var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Hr.minMatchCharLength,n=[],r=-1,i=-1,o=0,a=e.length;o=t&&n.push([r,i]),r=-1)}return e[o-1]&&o-r>=t&&n.push([r,o-1]),n}function Xr(e){for(var t={},n=e.length,r=0;r1&&void 0!==arguments[1]?arguments[1]:{},r=n.location,i=void 0===r?Hr.location:r,o=n.threshold,a=void 0===o?Hr.threshold:o,s=n.distance,c=void 0===s?Hr.distance:s,l=n.includeMatches,u=void 0===l?Hr.includeMatches:l,d=n.findAllMatches,f=void 0===d?Hr.findAllMatches:d,p=n.minMatchCharLength,h=void 0===p?Hr.minMatchCharLength:p,m=n.isCaseSensitive,y=void 0===m?Hr.isCaseSensitive:m;jr(this,e),this.options={location:i,threshold:a,distance:c,includeMatches:u,findAllMatches:f,minMatchCharLength:h,isCaseSensitive:y},this.pattern=y?t:t.toLowerCase(),this.chunks=[];for(var v=0;v3&&void 0!==arguments[3]?arguments[3]:{},i=r.location,o=void 0===i?Hr.location:i,a=r.distance,s=void 0===a?Hr.distance:a,c=r.threshold,l=void 0===c?Hr.threshold:c,u=r.findAllMatches,d=void 0===u?Hr.findAllMatches:u,f=r.minMatchCharLength,p=void 0===f?Hr.minMatchCharLength:f,h=r.includeMatches,m=void 0===h?Hr.includeMatches:h;if(t.length>32)throw new Error(Lr(32));var y,v=t.length,b=e.length,g=Math.max(0,Math.min(o,b)),_=l,w=g,k=[];if(m)for(var O=0;O-1;){var x=Wr(t,{currentLocation:y,expectedLocation:g,distance:s});if(_=Math.min(x,_),w=y+v,m)for(var E=0;E=D;L-=1){var N=L-1,M=n[e.charAt(N)];if(M&&m&&(k[N]=1),F[L]=(F[L+1]<<1|1)&M,0!==P&&(F[L]|=(S[L+1]|S[L])<<1|1|S[L+1]),F[L]&A&&(j=Wr(t,{errors:P,currentLocation:N,expectedLocation:g,distance:s}))<=_){if(_=j,(w=N)<=g)break;D=Math.max(1,2*g-w)}}var B=Wr(t,{errors:P+1,currentLocation:g,expectedLocation:g,distance:s});if(B>_)break;S=F}var H={isMatch:w>=0,score:Math.max(.001,j)};return m&&(H.indices=Gr(k,p)),H}(e,i,o,{location:a+32*n,distance:s,threshold:c,findAllMatches:l,minMatchCharLength:u,includeMatches:r}),m=h.isMatch,y=h.score,v=h.indices;m&&(p=!0),f+=y,m&&v&&(d=[].concat(Er(d),Er(v)))}));var h={isMatch:p,score:p?f/this.chunks.length:1};return p&&r&&(h.indices=d),h}}]),e}(),Jr=function(){function e(t){jr(this,e),this.pattern=t}return Ar(e,[{key:"search",value:function(){}}],[{key:"isMultiMatch",value:function(e){return Qr(e,this.multiRegex)}},{key:"isSingleMatch",value:function(e){return Qr(e,this.singleRegex)}}]),e}();function Qr(e,t){var n=e.match(t);return n?n[1]:null}var ei=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){for(var t,n=0,r=[],i=this.pattern.length;(t=e.indexOf(this.pattern,n))>-1;)n=t+i,r.push([t,n-1]);var o=!!r.length;return{isMatch:o,score:o?1:0,indices:r}}}],[{key:"type",get:function(){return"exact"}},{key:"multiRegex",get:function(){return/^'"(.*)"$/}},{key:"singleRegex",get:function(){return/^'(.*)$/}}]),n}(Jr),ti=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=-1===e.indexOf(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}}],[{key:"type",get:function(){return"inverse-exact"}},{key:"multiRegex",get:function(){return/^!"(.*)"$/}},{key:"singleRegex",get:function(){return/^!(.*)$/}}]),n}(Jr),ni=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=e.startsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,this.pattern.length-1]}}}],[{key:"type",get:function(){return"prefix-exact"}},{key:"multiRegex",get:function(){return/^\^"(.*)"$/}},{key:"singleRegex",get:function(){return/^\^(.*)$/}}]),n}(Jr),ri=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=!e.startsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}}],[{key:"type",get:function(){return"inverse-prefix-exact"}},{key:"multiRegex",get:function(){return/^!\^"(.*)"$/}},{key:"singleRegex",get:function(){return/^!\^(.*)$/}}]),n}(Jr),ii=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=e.endsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[e.length-this.pattern.length,e.length-1]}}}],[{key:"type",get:function(){return"suffix-exact"}},{key:"multiRegex",get:function(){return/^"(.*)"\$$/}},{key:"singleRegex",get:function(){return/^(.*)\$$/}}]),n}(Jr),oi=function(e){gr(n,e);var t=wr(n);function n(e){return jr(this,n),t.call(this,e)}return Ar(n,[{key:"search",value:function(e){var t=!e.endsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}}],[{key:"type",get:function(){return"inverse-suffix-exact"}},{key:"multiRegex",get:function(){return/^!"(.*)"\$$/}},{key:"singleRegex",get:function(){return/^!(.*)\$$/}}]),n}(Jr),ai=function(e){gr(n,e);var t=wr(n);function n(e){var r,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},o=i.location,a=void 0===o?Hr.location:o,s=i.threshold,c=void 0===s?Hr.threshold:s,l=i.distance,u=void 0===l?Hr.distance:l,d=i.includeMatches,f=void 0===d?Hr.includeMatches:d,p=i.findAllMatches,h=void 0===p?Hr.findAllMatches:p,m=i.minMatchCharLength,y=void 0===m?Hr.minMatchCharLength:m,v=i.isCaseSensitive,b=void 0===v?Hr.isCaseSensitive:v;return jr(this,n),(r=t.call(this,e))._bitapSearch=new Zr(e,{location:a,threshold:c,distance:u,includeMatches:f,findAllMatches:h,minMatchCharLength:y,isCaseSensitive:b}),r}return Ar(n,[{key:"search",value:function(e){return this._bitapSearch.searchIn(e)}}],[{key:"type",get:function(){return"fuzzy"}},{key:"multiRegex",get:function(){return/^"(.*)"$/}},{key:"singleRegex",get:function(){return/^(.*)$/}}]),n}(Jr),si=[ei,ni,ri,oi,ii,ti,ai],ci=si.length,li=/ +(?=([^\"]*\"[^\"]*\")*[^\"]*$)/;function ui(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return e.split("|").map((function(e){for(var n=e.trim().split(li).filter((function(e){return e&&!!e.trim()})),r=[],i=0,o=n.length;i1&&void 0!==arguments[1]?arguments[1]:{},r=n.isCaseSensitive,i=void 0===r?Hr.isCaseSensitive:r,o=n.includeMatches,a=void 0===o?Hr.includeMatches:o,s=n.minMatchCharLength,c=void 0===s?Hr.minMatchCharLength:s,l=n.findAllMatches,u=void 0===l?Hr.findAllMatches:l,d=n.location,f=void 0===d?Hr.location:d,p=n.threshold,h=void 0===p?Hr.threshold:p,m=n.distance,y=void 0===m?Hr.distance:m;jr(this,e),this.query=null,this.options={isCaseSensitive:i,includeMatches:a,minMatchCharLength:c,findAllMatches:u,location:f,threshold:h,distance:y},this.pattern=i?t:t.toLowerCase(),this.query=ui(this.pattern,this.options)}return Ar(e,[{key:"searchIn",value:function(e){var t=this.query;if(!t)return{isMatch:!1,score:1};var n=this.options,r=n.includeMatches;e=n.isCaseSensitive?e:e.toLowerCase();for(var i=0,o=[],a=0,s=0,c=t.length;s2&&void 0!==arguments[2]?arguments[2]:{},r=n.auto,i=void 0===r||r,o=function e(n){var r=Object.keys(n);if(r.length>1&&!vi(n))return e(gi(n));var o=r[0];if(bi(n)){var a=n[o];if(!Rr(a))throw new Error(Fr(o));var s={key:o,pattern:a};return i&&(s.searcher=hi(a,t)),s}var c={children:[],operator:o};return r.forEach((function(t){var r=n[t];Tr(r)&&r.forEach((function(t){c.children.push(e(t))}))})),c};return vi(e)||(e=gi(e)),o(e)}var wi=function(){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=arguments.length>2?arguments[2]:void 0;jr(this,e),this.options=Object.assign({},Hr,{},n),this.options.useExtendedSearch,this._keyStore=new Mr(this.options.keys),this.setCollection(t,r)}return Ar(e,[{key:"setCollection",value:function(e,t){if(this._docs=e,t&&!(t instanceof Kr))throw new Error("Incorrect 'index' type");this._myIndex=t||$r(this._keyStore.keys(),this._docs,{getFn:this.options.getFn})}},{key:"add",value:function(e){Dr(e)&&(this._docs.push(e),this._myIndex.add(e))}},{key:"removeAt",value:function(e){this._docs.splice(e,1),this._myIndex.removeAt(e)}},{key:"getIndex",value:function(){return this._myIndex}},{key:"search",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.limit,r=void 0===n?-1:n,i=this.options,o=i.includeMatches,a=i.includeScore,s=i.shouldSort,c=i.sortFn,l=Rr(e)?Rr(this._docs[0])?this._searchStringList(e):this._searchObjectList(e):this._searchLogical(e);return ki(l,this._keyStore),s&&l.sort(c),Ir(r)&&r>-1&&(l=l.slice(0,r)),Oi(l,this._docs,{includeMatches:o,includeScore:a})}},{key:"_searchStringList",value:function(e){var t=hi(e,this.options),n=this._myIndex.records,r=[];return n.forEach((function(e){var n=e.v,i=e.i,o=e.n;if(Dr(n)){var a=t.searchIn(n),s=a.isMatch,c=a.score,l=a.indices;s&&r.push({item:n,idx:i,matches:[{score:c,value:n,norm:o,indices:l}]})}})),r}},{key:"_searchLogical",value:function(e){var t=this,n=_i(e,this.options),r=this._myIndex,i=r.keys,o=r.records,a={},s=[];return o.forEach((function(e){var r=e.$,o=e.i;Dr(r)&&function e(n,r,o){if(!n.children){var c=n.key,l=n.searcher,u=r[i.indexOf(c)];return t._findMatches({key:c,value:u,searcher:l})}for(var d=n.operator,f=[],p=0;p2&&void 0!==arguments[2]?arguments[2]:{},r=n.includeMatches,i=void 0===r?Hr.includeMatches:r,o=n.includeScore,a=void 0===o?Hr.includeScore:o,s=[];return i&&s.push(Yr),a&&s.push(qr),e.map((function(e){var n=e.idx,r={item:t[n],refIndex:n};return s.length&&s.forEach((function(t){t(e,r)})),r}))}wi.version="6.0.0",wi.createIndex=$r,wi.parseIndex=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.getFn,r=void 0===n?Hr.getFn:n,i=e.keys,o=e.records,a=new Kr({getFn:r});return a.setKeys(i),a.setRecords(o),a},wi.config=Hr,wi.parseQuery=_i,function(){pi.push.apply(pi,arguments)}(fi);var xi=wi;var Ei=n(27);function Si(e){return(Si="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function ji(){var e=Ti(["\n ha-card {\n cursor: pointer;\n }\n .not_available {\n opacity: 0.6;\n }\n a.repo {\n color: var(--primary-text-color);\n }\n "]);return ji=function(){return e},e}function Ci(){var e=Ti(["\n \n \n

\n ','\n

\n
\n ',"\n
\n \n "]);return Ai=function(){return e},e}function Pi(){var e=Ti(['\n
\n

\n No results found in "','."\n

\n
\n ']);return Pi=function(){return e},e}function Ti(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function Ri(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Ii(e,t){return(Ii=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Di(e,t){return!t||"object"!==Si(t)&&"function"!=typeof t?zi(e):t}function zi(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Fi(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Li(e){return(Li=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Ni(e){var t,n=Ui(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var r={kind:"field"===e.kind?"field":"method",key:n,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(r.decorators=e.decorators),"field"===e.kind&&(r.initializer=e.value),r}function Mi(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Bi(e){return e.decorators&&e.decorators.length}function Hi(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Vi(e,t){var n=e[t];if(void 0!==n&&"function"!=typeof n)throw new TypeError("Expected '"+t+"' to be a function");return n}function Ui(e){var t=function(e,t){if("object"!==Si(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!==Si(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===Si(t)?t:String(t)}function Ki(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&r.push(c.finisher);var l=c.extras;if(l){for(var u=0;u=0;r--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[r])(i)||i);if(void 0!==o.finisher&&n.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n Missing add-ons? Enable advanced mode on\n \n your profile page\n \n .\n \n ']);return Wi=function(){return e},e}function Gi(){var e=Qi(['\n
\n \n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ","\n \n ',"
"]);return Xe=function(){return e},e}function Ze(){var e=tt(['\n \n
\n ',"\n\n \n \n \n \n \n \n \n ",'\n \n
ContainerHostDescription
\n
\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;at.container?1:-1}))}},{kind:"method",key:"_configChanged",value:(o=Je(regeneratorRuntime.mark((function e(t){var r;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:r=t.target,this._config.forEach((function(e){e.container===r.container&&e.host!==parseInt(String(r.value),10)&&(e.host=r.value?parseInt(String(r.value),10):null)}));case 2:case"end":return e.stop()}}),e,this)}))),function(e){return o.apply(this,arguments)})},{kind:"method",key:"_resetTapped",value:(n=Je(regeneratorRuntime.mark((function e(){var t,r,n,i;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return r={network:null},e.prev=1,e.next=4,Object(a.i)(this.hass,this.addon.slug,r);case 4:n={success:!0,response:void 0,path:"option"},Object(H.a)(this,"hass-api-called",n),e.next=11;break;case 8:e.prev=8,e.t0=e.catch(1),this._error="Failed to set addon network configuration, ".concat((null===(i=e.t0.body)||void 0===i?void 0:i.message)||e.t0);case 11:if(this._error||"started"!==(null===(t=this.addon)||void 0===t?void 0:t.state)){e.next=14;break}return e.next=14,f(this,this.hass,this.addon);case 14:case"end":return e.stop()}}),e,this,[[1,8]])}))),function(){return n.apply(this,arguments)})},{kind:"method",key:"_saveTapped",value:(r=Je(regeneratorRuntime.mark((function e(){var t,r,n,i,o;return regeneratorRuntime.wrap((function(e){for(;;)switch(e.prev=e.next){case 0:return this._error=void 0,r={},this._config.forEach((function(e){r[e.container]=parseInt(String(e.host),10)})),n={network:r},e.prev=4,e.next=7,Object(a.i)(this.hass,this.addon.slug,n);case 7:i={success:!0,response:void 0,path:"option"},Object(H.a)(this,"hass-api-called",i),e.next=14;break;case 11:e.prev=11,e.t0=e.catch(4),this._error="Failed to set addon network configuration, ".concat((null===(o=e.t0.body)||void 0===o?void 0:o.message)||e.t0);case 14:if(this._error||"started"!==(null===(t=this.addon)||void 0===t?void 0:t.state)){e.next=17;break}return e.next=17,f(this,this.hass,this.addon);case 17:case"end":return e.stop()}}),e,this,[[4,11]])}))),function(){return r.apply(this,arguments)})}]}}),i.a);var vt=r(83);function yt(e){return(yt="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function bt(){var e=Ot(["\n .content {\n margin: auto;\n padding: 8px;\n max-width: 1024px;\n }\n hassio-addon-network,\n hassio-addon-audio,\n hassio-addon-config {\n margin-bottom: 24px;\n }\n "]);return bt=function(){return e},e}function gt(){var e=Ot(["\n \n "]);return gt=function(){return e},e}function wt(){var e=Ot(["\n \n "]);return wt=function(){return e},e}function kt(){var e=Ot(['\n
\n e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a"]);return Nt=function(){return e},e}function Ht(){var e=$t([""]);return Ht=function(){return e},e}function Bt(){var e=$t(['
',"
"]);return Bt=function(){return e},e}function qt(){var e=$t(['\n
\n \n ','\n
\n ',"\n
\n
\n
\n "]);return qt=function(){return e},e}function Vt(){var e=$t([""]);return Vt=function(){return e},e}function $t(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function Lt(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function Wt(e){return function(){var t=this,r=arguments;return new Promise((function(n,i){var o=e.apply(t,r);function a(e){Lt(o,n,i,a,s,"next",e)}function s(e){Lt(o,n,i,a,s,"throw",e)}a(void 0)}))}}function Gt(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Yt(e,t){return(Yt=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Jt(e,t){return!t||"object"!==Mt(t)&&"function"!=typeof t?Kt(e):t}function Kt(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Qt(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function Xt(e){var t,r=nr(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function Zt(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function er(e){return e.decorators&&e.decorators.length}function tr(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function rr(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function nr(e){var t=function(e,t){if("object"!==Mt(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==Mt(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===Mt(t)?t:String(t)}function ir(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a\n ']);return fr=function(){return e},e}function pr(e,t){for(var r=0;r bit more top margin */\n font-weight: 500;\n overflow: hidden;\n text-transform: uppercase;\n text-overflow: ellipsis;\n transition: background-color 0.3s ease-in-out;\n text-transform: var(--ha-label-badge-label-text-transform, uppercase);\n }\n .label-badge .label.big span {\n font-size: 90%;\n padding: 10% 12% 7% 12%; /* push smaller text a bit down to center vertically */\n }\n .badge-container .title {\n margin-top: 1em;\n font-size: var(--ha-label-badge-title-font-size, 0.9em);\n width: var(--ha-label-badge-title-width, 5em);\n font-weight: var(--ha-label-badge-title-font-weight, 400);\n overflow: hidden;\n text-overflow: ellipsis;\n line-height: normal;\n }\n "]);return kr=function(){return e},e}function Er(){var e=_r(['
',"
"]);return Er=function(){return e},e}function Or(){var e=_r(['\n \n ',"\n
\n "]);return Or=function(){return e},e}function jr(){var e=_r([" "," "]);return jr=function(){return e},e}function Pr(){var e=_r([" "]);return Pr=function(){return e},e}function xr(){var e=_r(['\n
\n
\n \n \n ',"\n ","\n \n
\n ","\n
\n ","\n
\n "]);return xr=function(){return e},e}function _r(e,t){return t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}}))}function Dr(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function Sr(e,t){return(Sr=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function Ar(e,t){return!t||"object"!==wr(t)&&"function"!=typeof t?Cr(e):t}function Cr(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Tr(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}function zr(e){var t,r=Ur(e.key);"method"===e.kind?t={value:e.value,writable:!0,configurable:!0,enumerable:!1}:"get"===e.kind?t={get:e.value,configurable:!0,enumerable:!1}:"set"===e.kind?t={set:e.value,configurable:!0,enumerable:!1}:"field"===e.kind&&(t={configurable:!0,writable:!0,enumerable:!0});var n={kind:"field"===e.kind?"field":"method",key:r,placement:e.static?"static":"field"===e.kind?"own":"prototype",descriptor:t};return e.decorators&&(n.decorators=e.decorators),"field"===e.kind&&(n.initializer=e.value),n}function Rr(e,t){void 0!==e.descriptor.get?t.descriptor.get=e.descriptor.get:t.descriptor.set=e.descriptor.set}function Fr(e){return e.decorators&&e.decorators.length}function Ir(e){return void 0!==e&&!(void 0===e.value&&void 0===e.writable)}function Mr(e,t){var r=e[t];if(void 0!==r&&"function"!=typeof r)throw new TypeError("Expected '"+t+"' to be a function");return r}function Ur(e){var t=function(e,t){if("object"!==wr(e)||null===e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var n=r.call(e,t||"default");if("object"!==wr(n))return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===wr(t)?t:String(t)}function Nr(e,t){(null==t||t>e.length)&&(t=e.length);for(var r=0,n=new Array(t);r=0;o--){var a=t[e.placement];a.splice(a.indexOf(e.key),1);var s=this.fromElementDescriptor(e),c=this.toElementFinisherExtras((0,i[o])(s)||s);e=c.element,this.addElementPlacement(e,t),c.finisher&&n.push(c.finisher);var l=c.extras;if(l){for(var d=0;d=0;n--){var i=this.fromClassDescriptor(e),o=this.toClassDescriptor((0,t[n])(i)||i);if(void 0!==o.finisher&&r.push(o.finisher),void 0!==o.elements){e=o.elements;for(var a=0;a4)}),!this.icon||this.value||this.image?"":Object(i.f)(Pr(),this.icon),this.value&&!this.image?Object(i.f)(jr(),this.value):"",this.label?Object(i.f)(Or(),Object(sr.a)({label:!0,big:this.label.length>5}),this.label):"",this.description?Object(i.f)(Er(),this.description):"")}},{kind:"get",static:!0,key:"styles",value:function(){return[Object(i.c)(kr())]}},{kind:"method",key:"updated",value:function(e){Hr(Br(r.prototype),"updated",this).call(this,e),e.has("image")&&(this.shadowRoot.getElementById("badge").style.backgroundImage=this.image?"url(".concat(this.image,")"):"")}}]}}),i.a);customElements.define("ha-label-badge",qr);r(33),r(102),r(96);var Vr=r(116);r(103);function $r(e){return($r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Lr(){var e=Tn(['\n :host {\n display: block;\n }\n ha-card {\n display: block;\n margin-bottom: 16px;\n }\n ha-card.warning {\n background-color: var(--error-color);\n color: white;\n }\n ha-card.warning .card-header {\n color: white;\n }\n ha-card.warning .card-content {\n color: white;\n }\n ha-card.warning mwc-button {\n --mdc-theme-primary: white !important;\n }\n .warning {\n color: var(--error-color);\n --mdc-theme-primary: var(--error-color);\n }\n .light-color {\n color: var(--secondary-text-color);\n }\n .addon-header {\n padding-left: 8px;\n font-size: 24px;\n color: var(--ha-card-header-color, --primary-text-color);\n }\n .addon-version {\n float: right;\n font-size: 15px;\n vertical-align: middle;\n }\n .errors {\n color: var(--error-color);\n margin-bottom: 16px;\n }\n .description {\n margin-bottom: 16px;\n }\n img.logo {\n max-height: 60px;\n margin: 16px 0;\n display: block;\n }\n\n ha-switch {\n display: flex;\n }\n ha-svg-icon.running {\n color: var(--paper-green-400);\n }\n ha-svg-icon.stopped {\n color: var(--google-red-300);\n }\n ha-call-api-button {\n font-weight: 500;\n color: var(--primary-color);\n }\n .right {\n float: right;\n }\n protection-enable mwc-button {\n --mdc-theme-primary: white;\n }\n .description a {\n color: var(--primary-color);\n }\n .red {\n --ha-label-badge-color: var(--label-badge-red, #df4c1e);\n }\n .blue {\n --ha-label-badge-color: var(--label-badge-blue, #039be5);\n }\n .green {\n --ha-label-badge-color: var(--label-badge-green, #0da035);\n }\n .yellow {\n --ha-label-badge-color: var(--label-badge-yellow, #f4b400);\n }\n .security {\n margin-bottom: 16px;\n }\n .card-actions {\n display: flow-root;\n }\n .security h3 {\n margin-bottom: 8px;\n font-weight: normal;\n }\n .security ha-label-badge {\n cursor: pointer;\n margin-right: 4px;\n --ha-label-badge-padding: 8px 0 0 0;\n }\n .changelog {\n display: contents;\n }\n .changelog-link {\n color: var(--primary-color);\n text-decoration: underline;\n cursor: pointer;\n }\n ha-markdown {\n padding: 16px;\n }\n ha-settings-row {\n padding: 0;\n height: 54px;\n width: 100%;\n }\n ha-settings-row > span[slot="description"] {\n white-space: normal;\n color: var(--secondary-text-color);\n }\n ha-settings-row[three-line] {\n height: 74px;\n }\n\n .addon-options {\n max-width: 50%;\n }\n @media (max-width: 720px) {\n .addon-options {\n max-width: 100%;\n }\n }\n ']);return Lr=function(){return e},e}function Wr(e,t,r,n,i,o,a){try{var s=e[o](a),c=s.value}catch(l){return void r(l)}s.done?t(c):Promise.resolve(c).then(n,i)}function Gr(e){return function(){var t=this,r=arguments;return new Promise((function(n,i){var o=e.apply(t,r);function a(e){Wr(o,n,i,a,s,"next",e)}function s(e){Wr(o,n,i,a,s,"throw",e)}a(void 0)}))}}function Yr(){var e=Tn(['\n \n
\n \n This add-on is not available on your system.\n

\n ']);return Jr=function(){return e},e}function Kr(){var e=Tn(["\n ","\n \n Install\n \n "]);return Kr=function(){return e},e}function Qr(){var e=Tn(['\n \n Rebuild\n \n ']);return Qr=function(){return e},e}function Xr(){var e=Tn(['\n \n \n Open web UI\n \n
\n ']);return Zr=function(){return e},e}function en(){var e=Tn(["\n \n Start\n \n ']);return en=function(){return e},e}function tn(){var e=Tn(['\n \n Stop\n \n \n Restart\n \n ']);return tn=function(){return e},e}function rn(){var e=Tn(["\n ","\n ","\n ",'\n ',"
"]);return nn=function(){return e},e}function on(){var e=Tn(["\n \n Protection mode\n \n \n Blocks elevated system access from the add-on\n \n \n \n Show in sidebar\n \n \n ',"\n \n \n \n "]);return an=function(){return e},e}function sn(){var e=Tn(["\n \n Auto update\n \n \n Auto update the add-on when there is a new version\n available\n \n \n \n Watchdog\n \n \n This will start the add-on if it crashes\n \n \n \n \n Start on boot\n \n \n Make the add-on start during a system boot\n \n \n \n \n \n \n \n \n \n \n