mirror of
https://github.com/XiaoMi/ha_xiaomi_home.git
synced 2026-01-15 22:10:43 +08:00
Compare commits
6 Commits
0a6e4e64b5
...
c7e326fd21
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
c7e326fd21 | ||
|
|
9eaa1e2677 | ||
|
|
d3a5702f83 | ||
|
|
c24db455bd | ||
|
|
6504441d96 | ||
|
|
9af59e28bd |
@ -32,7 +32,7 @@ git checkout v1.0.0
|
||||
|
||||
### Method 2: [HACS](https://hacs.xyz/)
|
||||
|
||||
HACS > Overflow Menu > Custom repositories > Repository: https://github.com/XiaoMi/ha_xiaomi_home.git & Category: Integration > ADD
|
||||
HACS > Overflow Menu > Custom repositories > Repository: https://github.com/XiaoMi/ha_xiaomi_home.git & Category: Integration > ADD > Xiaomi Home in New or Available for download section of HACS > DOWNLOAD
|
||||
|
||||
> Xiaomi Home has not been added to the HACS store as a default yet. It's coming soon.
|
||||
|
||||
@ -76,6 +76,8 @@ Method: [Settings > Devices & services > Configured > Xiaomi Home](https://my.ho
|
||||
|
||||
Xiaomi Home Integration and the affiliated cloud interface is provided by Xiaomi officially. You need to use your Xiaomi account to login to get your device list. Xiaomi Home Integration implements OAuth 2.0 login process, which does not keep your account password in the Home Assistant application. However, due to the limitation of the Home Assistant platform, the user information (including device information, certificates, tokens, etc.) of your Xiaomi account will be saved in the Home Assistant configuration file in clear text after successful login. You need to ensure that your Home Assistant configuration file is properly stored. The exposure of your configuration file may result in others logging in with your identity.
|
||||
|
||||
> If you suspect that your OAuth 2.0 token has been leaked, you can revoke the login authorization of your Xiaomi account by the following steps: Xiaomi Home APP -> Profile -> Click your username and get into Xiaomi Account management page -> Basic info: Apps -> Xiaomi Home (Home Assistant Integration) -> Remove
|
||||
|
||||
## FAQ
|
||||
|
||||
- Does Xiaomi Home Integration support all Xiaomi Home devices?
|
||||
|
||||
@ -299,7 +299,7 @@ class XiaomiMihomeConfigFlow(config_entries.ConfigFlow, domain=DOMAIN):
|
||||
domain=DOMAIN,
|
||||
name='oauth redirect url webhook',
|
||||
webhook_id=self._virtual_did,
|
||||
handler=handle_oauth_webhook,
|
||||
handler=_handle_oauth_webhook,
|
||||
allowed_methods=(METH_GET,),
|
||||
)
|
||||
self._fut_oauth_code = self.hass.data[DOMAIN][
|
||||
@ -818,6 +818,7 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
_home_info_buffer: dict
|
||||
_home_list_show: dict
|
||||
_device_list_sorted: dict
|
||||
_devices_local: dict
|
||||
_devices_add: list[str]
|
||||
_devices_remove: list[str]
|
||||
|
||||
@ -864,6 +865,7 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
self._home_info_buffer = {}
|
||||
self._home_list_show = {}
|
||||
self._device_list_sorted = {}
|
||||
self._devices_local = {}
|
||||
self._devices_add = []
|
||||
self._devices_remove = []
|
||||
|
||||
@ -991,7 +993,7 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
domain=DOMAIN,
|
||||
name='oauth redirect url webhook',
|
||||
webhook_id=self._virtual_did,
|
||||
handler=handle_oauth_webhook,
|
||||
handler=_handle_oauth_webhook,
|
||||
allowed_methods=(METH_GET,),
|
||||
)
|
||||
self._fut_oauth_code = self.hass.data[DOMAIN][
|
||||
@ -1227,8 +1229,13 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
self._home_selected_list = [
|
||||
home_id for home_id in self._home_selected_list
|
||||
if home_id in home_list]
|
||||
|
||||
self._home_list_show = dict(sorted(home_list.items()))
|
||||
# Get local devices
|
||||
self._devices_local: dict = await self._miot_storage.load_async(
|
||||
domain='miot_devices',
|
||||
name=f'{self._uid}_{self._cloud_server}',
|
||||
type_=dict) or {} # type: ignore
|
||||
|
||||
return await self.__display_homes_select_form('')
|
||||
|
||||
self._home_selected_list = user_input.get('home_infos', [])
|
||||
@ -1256,6 +1263,7 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
return await self.update_devices_done_async()
|
||||
|
||||
async def __display_homes_select_form(self, reason: str):
|
||||
devices_local_count: str = str(len(self._devices_local))
|
||||
return self.async_show_form(
|
||||
step_id='homes_select',
|
||||
data_schema=vol.Schema({
|
||||
@ -1272,7 +1280,7 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
}),
|
||||
errors={'base': reason},
|
||||
description_placeholders={
|
||||
'nick_name': self._nick_name
|
||||
'local_count': devices_local_count
|
||||
},
|
||||
last_step=False
|
||||
)
|
||||
@ -1401,8 +1409,6 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
): vol.In(trans_statistics_logic),
|
||||
}),
|
||||
errors={'base': reason},
|
||||
description_placeholders={
|
||||
'devices_count': str(len(self._device_list_sorted))},
|
||||
last_step=False
|
||||
)
|
||||
|
||||
@ -1410,15 +1416,12 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
# Statistics devices changed
|
||||
self._devices_add = []
|
||||
self._devices_remove = []
|
||||
local_devices: dict = await self._miot_storage.load_async(
|
||||
domain='miot_devices',
|
||||
name=f'{self._uid}_{self._cloud_server}',
|
||||
type_=dict) or {} # type: ignore
|
||||
|
||||
self._devices_add = [
|
||||
did for did in list(self._device_list_sorted.keys())
|
||||
if did not in local_devices]
|
||||
if did not in self._devices_local]
|
||||
self._devices_remove = [
|
||||
did for did in local_devices.keys()
|
||||
did for did in self._devices_local.keys()
|
||||
if did not in self._device_list_sorted]
|
||||
_LOGGER.debug(
|
||||
'devices update, add->%s, remove->%s',
|
||||
@ -1612,7 +1615,7 @@ class OptionsFlowHandler(config_entries.OptionsFlow):
|
||||
return self.async_create_entry(title='', data={})
|
||||
|
||||
|
||||
async def handle_oauth_webhook(hass, webhook_id, request):
|
||||
async def _handle_oauth_webhook(hass, webhook_id, request):
|
||||
"""Webhook to handle oauth2 callback."""
|
||||
# pylint: disable=inconsistent-quotes
|
||||
try:
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Geräte filtern",
|
||||
"ctrl_mode": "Steuerungsmodus",
|
||||
"action_debug": "Action-Debug-Modus",
|
||||
"hide_non_standard_entities": "Nicht standardmäßige Entitäten ausblenden"
|
||||
"hide_non_standard_entities": "Nicht standardmäßige Entitäten ausblenden",
|
||||
"display_devices_changed_notify": "Gerätestatusänderungen anzeigen"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Geräte filtern",
|
||||
"description": "## Gebrauchsanweisung\r\n- Unterstützt das Filtern von Geräten nach Raumnamen und Gerätetypen sowie das Filtern nach Gerätedimensionen.\r\n- Sie können auch die entsprechende Integrationsoption \"Konfiguration> Geräteliste aktualisieren\" aufrufen, um die Filterung erneut durchzuführen.",
|
||||
"description": "## Gebrauchsanweisung\r\nUnterstützt das Filtern von Geräten nach Raumnamen, Gerätezugriffstyp und Gerätemodell, und unterstützt auch das Filtern nach Gerätegröße. Die Filterlogik ist wie folgt:\r\n- Zuerst wird gemäß der statistischen Logik die Vereinigung oder der Schnittpunkt aller eingeschlossenen Elemente ermittelt, dann der Schnittpunkt oder die Vereinigung der ausgeschlossenen Elemente, und schließlich wird das [eingeschlossene Gesamtergebnis] vom [ausgeschlossenen Gesamtergebnis] subtrahiert, um das [Filterergebnis] zu erhalten.\r\n- Wenn keine eingeschlossenen Elemente ausgewählt sind, bedeutet dies, dass alle eingeschlossen sind.\r\n### Filtermodus\r\n- Ausschließen: Unerwünschte Elemente entfernen.\r\n- Einschließen: Gewünschte Elemente einschließen.\r\n### Statistische Logik\r\n- UND-Logik: Den Schnittpunkt aller Elemente im gleichen Modus nehmen.\r\n- ODER-Logik: Die Vereinigung aller Elemente im gleichen Modus nehmen.\r\n\r\nSie können auch zur Seite [Konfiguration > Geräteliste aktualisieren] des Integrationselements gehen, [Geräte filtern] auswählen, um erneut zu filtern.",
|
||||
"data": {
|
||||
"statistics_logic": "Statistiklogik",
|
||||
"room_filter_mode": "Familienraum filtern",
|
||||
"room_list": "Familienraum",
|
||||
"type_filter_mode": "Gerätetyp filtern",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Gerätemodell filtern",
|
||||
"model_list": "Gerätemodell",
|
||||
"devices_filter_mode": "Geräte filtern",
|
||||
"device_list": "Geräteliste"
|
||||
"device_list": "Geräteliste",
|
||||
"statistics_logic": "Statistiklogik"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,8 +100,9 @@
|
||||
"update_devices": "Geräteliste aktualisieren",
|
||||
"action_debug": "Action-Debug-Modus",
|
||||
"hide_non_standard_entities": "Verstecke Nicht-Standard-Entitäten",
|
||||
"update_trans_rules": "Entitätskonvertierungsregeln aktualisieren (globale konfiguration)",
|
||||
"update_lan_ctrl_config": "LAN-Steuerungskonfiguration aktualisieren (globale Konfiguration)"
|
||||
"display_devices_changed_notify": "Gerätestatusänderungen anzeigen",
|
||||
"update_trans_rules": "Entitätskonvertierungsregeln aktualisieren",
|
||||
"update_lan_ctrl_config": "LAN-Steuerungskonfiguration aktualisieren"
|
||||
}
|
||||
},
|
||||
"update_user_info": {
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Familie und Geräte neu auswählen",
|
||||
"description": "## Gebrauchsanweisung\r\n### Steuerungsmodus\r\n- Automatisch: Wenn im lokalen Netzwerk ein verfügbarer Xiaomi-Zentralgateway vorhanden ist, wird Home Assistant bevorzugt Steuerbefehle über den Zentralgateway senden, um eine lokale Steuerung zu ermöglichen. Wenn im lokalen Netzwerk kein Zentralgateway vorhanden ist, wird versucht, Steuerbefehle über das Xiaomi-OT-Protokoll zu senden, um eine lokale Steuerung zu ermöglichen. Nur wenn die oben genannten Bedingungen für die lokale Steuerung nicht erfüllt sind, werden die Steuerbefehle über die Cloud gesendet.\r\n- Cloud: Steuerbefehle werden nur über die Cloud gesendet.\r\n### Familienimport für importierte Geräte\r\nDie Integration fügt Geräte aus den ausgewählten Familien hinzu.\r\n \r\n### Hallo {nick_name}! Bitte wählen Sie den Steuerungsmodus der Integration sowie die Familie aus, in der sich die hinzuzufügenden Geräte befinden.",
|
||||
"description": "## Gebrauchsanweisung\r\n### Familienimport für importierte Geräte\r\nDie Integration fügt Geräte aus den ausgewählten Familien hinzu.\r\n### Geräte filtern\r\nUnterstützt das Filtern von Geräten nach Raumnamen, Gerätezugriffstyp und Gerätemodell, und unterstützt auch das Filtern nach Gerätegröße. Es wurden **{local_count}** Geräte gefiltert.\r\n### Steuerungsmodus\r\n- Automatisch: Wenn im lokalen Netzwerk ein verfügbarer Xiaomi-Zentralgateway vorhanden ist, wird Home Assistant bevorzugt Steuerbefehle über den Zentralgateway senden, um eine lokale Steuerung zu ermöglichen. Wenn im lokalen Netzwerk kein Zentralgateway vorhanden ist, wird versucht, Steuerbefehle über das Xiaomi-OT-Protokoll zu senden, um eine lokale Steuerung zu ermöglichen. Nur wenn die oben genannten Bedingungen für die lokale Steuerung nicht erfüllt sind, werden die Steuerbefehle über die Cloud gesendet.\r\n- Cloud: Steuerbefehle werden nur über die Cloud gesendet.",
|
||||
"data": {
|
||||
"home_infos": "Familienimport für importierte Geräte",
|
||||
"devices_filter": "Geräte filtern",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Geräte filtern",
|
||||
"description": "## Gebrauchsanweisung\r\n- Unterstützt das Filtern von Geräten nach Raumnamen und Gerätetypen sowie das Filtern nach Gerätedimensionen.\r\n- Sie können auch die entsprechende Integrationsoption \"Konfiguration> Geräteliste aktualisieren\" aufrufen, um die Filterung erneut durchzuführen.",
|
||||
"description": "## Gebrauchsanweisung\r\nUnterstützt das Filtern von Geräten nach Raumnamen, Gerätezugriffstyp und Gerätemodell, und unterstützt auch das Filtern nach Gerätegröße. Die Filterlogik ist wie folgt:\r\n- Zuerst wird gemäß der statistischen Logik die Vereinigung oder der Schnittpunkt aller eingeschlossenen Elemente ermittelt, dann der Schnittpunkt oder die Vereinigung der ausgeschlossenen Elemente, und schließlich wird das [eingeschlossene Gesamtergebnis] vom [ausgeschlossenen Gesamtergebnis] subtrahiert, um das [Filterergebnis] zu erhalten.\r\n- Wenn keine eingeschlossenen Elemente ausgewählt sind, bedeutet dies, dass alle eingeschlossen sind.\r\n### Filtermodus\r\n- Ausschließen: Unerwünschte Elemente entfernen.\r\n- Einschließen: Gewünschte Elemente einschließen.\r\n### Statistische Logik\r\n- UND-Logik: Den Schnittpunkt aller Elemente im gleichen Modus nehmen.\r\n- ODER-Logik: Die Vereinigung aller Elemente im gleichen Modus nehmen.\r\n\r\nSie können auch zur Seite [Konfiguration > Geräteliste aktualisieren] des Integrationselements gehen, [Geräte filtern] auswählen, um erneut zu filtern.",
|
||||
"data": {
|
||||
"statistics_logic": "Statistiklogik",
|
||||
"room_filter_mode": "Familienraum filtern",
|
||||
"room_list": "Familienraum",
|
||||
"type_filter_mode": "Gerätetyp filtern",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Gerätemodell filtern",
|
||||
"model_list": "Gerätemodell",
|
||||
"devices_filter_mode": "Geräte filtern",
|
||||
"device_list": "Geräteliste"
|
||||
"device_list": "Geräteliste",
|
||||
"statistics_logic": "Statistiklogik"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Filter Devices",
|
||||
"ctrl_mode": "Control Mode",
|
||||
"action_debug": "Action Debug Mode",
|
||||
"hide_non_standard_entities": "Hide Non-Standard Generated Entities"
|
||||
"hide_non_standard_entities": "Hide Non-Standard Generated Entities",
|
||||
"display_devices_changed_notify": "Display Device Status Change Notification"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filter Devices",
|
||||
"description": "## Introduction\r\n- Supports filtering devices by room name and device type, and also supports device dimension filtering.\r\n- You can also re-filter on the corresponding integration page [Configuration>Update Device List].",
|
||||
"description": "## Usage Instructions\r\nSupports filtering devices by home room name, device access type, and device model, and also supports device dimension filtering. The filtering logic is as follows:\r\n- First, according to the statistical logic, get the union or intersection of all included items, then get the intersection or union of the excluded items, and finally subtract the [included summary result] from the [excluded summary result] to get the [filter result].\r\n- If no included items are selected, it means all are included.\r\n### Filter Mode\r\n- Exclude: Remove unwanted items.\r\n- Include: Include desired items.\r\n### Statistical Logic\r\n- AND logic: Take the intersection of all items in the same mode.\r\n- OR logic: Take the union of all items in the same mode.\r\n\r\nYou can also go to the [Configuration > Update Device List] page of the integration item, check [Filter Devices] to re-filter.",
|
||||
"data": {
|
||||
"statistics_logic": "Statistics Logic",
|
||||
"room_filter_mode": "Filter Family Rooms",
|
||||
"room_list": "Family Rooms",
|
||||
"type_filter_mode": "Filter Device Connect Type",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Filter Device Model",
|
||||
"model_list": "Device Model",
|
||||
"devices_filter_mode": "Filter Devices",
|
||||
"device_list": "Device List"
|
||||
"device_list": "Device List",
|
||||
"statistics_logic": "Statistics Logic"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,6 +100,7 @@
|
||||
"update_devices": "Update device list",
|
||||
"action_debug": "Debug mode for action",
|
||||
"hide_non_standard_entities": "Hide non-standard created entities",
|
||||
"display_devices_changed_notify": "Display device status change notifications",
|
||||
"update_trans_rules": "Update entity conversion rules",
|
||||
"update_lan_ctrl_config": "Update LAN control configuration"
|
||||
}
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Re-select Home and Devices",
|
||||
"description": "## Usage Instructions\r\n### Control mode\r\n- Auto: When there is an available Xiaomi central hub gateway in the local area network, Home Assistant will prioritize sending device control commands through the central hub gateway to achieve local control. If there is no central hub gateway in the local area network, it will attempt to send control commands through Xiaomi LAN control function. Only when the above local control conditions are not met, the device control commands will be sent through the cloud.\r\n- Cloud: All control commands are sent through the cloud.\r\n### Import devices from home\r\nThe integration will add devices from the selected homes.\r\n \r\n### Hello {nick_name}, please select the integration control mode and the home where the device you want to import.",
|
||||
"description": "## Usage Instructions\r\n### Import devices from home\r\nThe integration will add devices from the selected homes.\r\n### Filter Devices\r\nSupports filtering devices by home room name, device access type, and device model, and also supports device dimension filtering. **{local_count}** devices have been filtered.\r\n### Control mode\r\n- Auto: When there is an available Xiaomi central hub gateway in the local area network, Home Assistant will prioritize sending device control commands through the central hub gateway to achieve local control. If there is no central hub gateway in the local area network, it will attempt to send control commands through Xiaomi LAN control function. Only when the above local control conditions are not met, the device control commands will be sent through the cloud.\r\n- Cloud: All control commands are sent through the cloud.",
|
||||
"data": {
|
||||
"home_infos": "Import devices from home",
|
||||
"devices_filter": "Filter devices",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filter Devices",
|
||||
"description": "## Introduction\r\n- Supports filtering devices by room name and device type, and also supports device dimension filtering.\r\n- You can also re-filter on the corresponding integration page [Configuration>Update Device List].",
|
||||
"description": "## Usage Instructions\r\nSupports filtering devices by home room name, device access type, and device model, and also supports device dimension filtering. The filtering logic is as follows:\r\n- First, according to the statistical logic, get the union or intersection of all included items, then get the intersection or union of the excluded items, and finally subtract the [included summary result] from the [excluded summary result] to get the [filter result].\r\n- If no included items are selected, it means all are included.\r\n### Filter Mode\r\n- Exclude: Remove unwanted items.\r\n- Include: Include desired items.\r\n### Statistical Logic\r\n- AND logic: Take the intersection of all items in the same mode.\r\n- OR logic: Take the union of all items in the same mode.\r\n\r\nYou can also go to the [Configuration > Update Device List] page of the integration item, check [Filter Devices] to re-filter.",
|
||||
"data": {
|
||||
"statistics_logic": "Statistics Logic",
|
||||
"room_filter_mode": "Filter Family Rooms",
|
||||
"room_list": "Family Rooms",
|
||||
"type_filter_mode": "Filter Device Connect Type",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Filter Device Model",
|
||||
"model_list": "Device Model",
|
||||
"devices_filter_mode": "Filter Devices",
|
||||
"device_list": "Device List"
|
||||
"device_list": "Device List",
|
||||
"statistics_logic": "Statistics Logic"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Filtrar Dispositivos",
|
||||
"ctrl_mode": "Modo de Control",
|
||||
"action_debug": "Modo de Depuración de Acciones",
|
||||
"hide_non_standard_entities": "Ocultar Entidades Generadas No Estándar"
|
||||
"hide_non_standard_entities": "Ocultar Entidades Generadas No Estándar",
|
||||
"display_devices_changed_notify": "Mostrar notificaciones de cambio de estado del dispositivo"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrar Dispositivos",
|
||||
"description": "## Introducción\r\n- Admite la filtración de dispositivos por nombre de habitación y tipo de dispositivo, y también admite la filtración por familia.\r\n- También puede volver a filtrar en la página correspondiente de la integración [Configuración>Actualizar lista de dispositivos].",
|
||||
"description": "## Instrucciones de uso\r\nAdmite la filtración de dispositivos por nombre de habitación, tipo de acceso del dispositivo y modelo de dispositivo, y también admite la filtración por dimensión del dispositivo. La lógica de filtración es la siguiente:\r\n- Primero, de acuerdo con la lógica estadística, obtenga la unión o intersección de todos los elementos incluidos, luego obtenga la intersección o unión de los elementos excluidos, y finalmente reste el [resultado del resumen incluido] del [resultado del resumen excluido] para obtener el [resultado del filtro].\r\n- Si no se seleccionan elementos incluidos, significa que todos están incluidos.\r\n### Modo de Filtración\r\n- Excluir: Eliminar elementos no deseados.\r\n- Incluir: Incluir elementos deseados.\r\n### Lógica Estadística\r\n- Lógica Y: Tomar la intersección de todos los elementos en el mismo modo.\r\n- Lógica O: Tomar la unión de todos los elementos en el mismo modo.\r\n\r\nTambién puede ir a la página [Configuración > Actualizar lista de dispositivos] del elemento de integración, marcar [Filtrar dispositivos] para volver a filtrar.",
|
||||
"data": {
|
||||
"statistics_logic": "Lógica de Estadísticas",
|
||||
"room_filter_mode": "Filtrar Habitaciones de la Familia",
|
||||
"room_list": "Habitaciones de la Familia",
|
||||
"type_filter_mode": "Filtrar Tipo de Dispositivo",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Filtrar Modelo de Dispositivo",
|
||||
"model_list": "Modelo de Dispositivo",
|
||||
"devices_filter_mode": "Filtrar Dispositivos",
|
||||
"device_list": "Lista de Dispositivos"
|
||||
"device_list": "Lista de Dispositivos",
|
||||
"statistics_logic": "Lógica de Estadísticas"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,8 +100,9 @@
|
||||
"update_devices": "Actualizar lista de dispositivos",
|
||||
"action_debug": "Modo de depuración de Action",
|
||||
"hide_non_standard_entities": "Ocultar entidades generadas no estándar",
|
||||
"update_trans_rules": "Actualizar reglas de conversión de entidad (configuración global)",
|
||||
"update_lan_ctrl_config": "Actualizar configuración de control LAN (configuración global)"
|
||||
"display_devices_changed_notify": "Mostrar notificaciones de cambio de estado del dispositivo",
|
||||
"update_trans_rules": "Actualizar reglas de conversión de entidad",
|
||||
"update_lan_ctrl_config": "Actualizar configuración de control LAN"
|
||||
}
|
||||
},
|
||||
"update_user_info": {
|
||||
@ -112,18 +114,17 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Recomendar hogares y dispositivos",
|
||||
"description": "## Instrucciones de uso\r\n### Modo de control\r\n- Automático: Cuando hay un gateway central de Xiaomi disponible en la red local, Home Assistant priorizará el envío de comandos de control de dispositivos a través del gateway central para lograr un control localizado. Si no hay un gateway central en la red local, intentará enviar comandos de control a través del protocolo Xiaomi OT para lograr un control localizado. Solo cuando no se cumplan las condiciones anteriores de control localizado, los comandos de control del dispositivo se enviarán a través de la nube.\r\n- Nube: Los comandos de control solo se envían a través de la nube.\r\n### Hogares de dispositivos importados\r\nLa integración agregará los dispositivos en los hogares seleccionados.\r\n \r\n### ¡Hola, {nick_name}! Seleccione el modo de control de integración y el hogar donde se encuentran los dispositivos que desea agregar.",
|
||||
"description": "## Instrucciones de uso\r\n### Hogares de dispositivos importados\r\nLa integración agregará los dispositivos en los hogares seleccionados.\r\n### Filtrar dispositivos\r\nAdmite la filtración de dispositivos por nombre de habitación, tipo de acceso del dispositivo y modelo de dispositivo, y también admite la filtración por dimensión del dispositivo. Se han filtrado **{local_count}** dispositivos.\r\n### Modo de control\r\n- Automático: Cuando hay un gateway central de Xiaomi disponible en la red local, Home Assistant priorizará el envío de comandos de control de dispositivos a través del gateway central para lograr un control localizado. Si no hay un gateway central en la red local, intentará enviar comandos de control a través del protocolo Xiaomi OT para lograr un control localizado. Solo cuando no se cumplan las condiciones anteriores de control localizado, los comandos de control del dispositivo se enviarán a través de la nube.\r\n- Nube: Los comandos de control solo se envían a través de la nube.",
|
||||
"data": {
|
||||
"home_infos": "Hogares de dispositivos importados",
|
||||
"devices_filter": "Filtrar Dispositivos",
|
||||
"devices_filter": "Filtrar dispositivos",
|
||||
"ctrl_mode": "Modo de control"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrar Dispositivos",
|
||||
"description": "## Introducción\r\n- Admite la filtración de dispositivos por nombre de habitación y tipo de dispositivo, y también admite la filtración por familia.\r\n- También puede volver a filtrar en la página correspondiente de la integración [Configuración>Actualizar lista de dispositivos].",
|
||||
"description": "## Instrucciones de uso\r\nAdmite la filtración de dispositivos por nombre de habitación, tipo de acceso del dispositivo y modelo de dispositivo, y también admite la filtración por dimensión del dispositivo. La lógica de filtración es la siguiente:\r\n- Primero, de acuerdo con la lógica estadística, obtenga la unión o intersección de todos los elementos incluidos, luego obtenga la intersección o unión de los elementos excluidos, y finalmente reste el [resultado del resumen incluido] del [resultado del resumen excluido] para obtener el [resultado del filtro].\r\n- Si no se seleccionan elementos incluidos, significa que todos están incluidos.\r\n### Modo de Filtración\r\n- Excluir: Eliminar elementos no deseados.\r\n- Incluir: Incluir elementos deseados.\r\n### Lógica Estadística\r\n- Lógica Y: Tomar la intersección de todos los elementos en el mismo modo.\r\n- Lógica O: Tomar la unión de todos los elementos en el mismo modo.\r\n\r\nTambién puede ir a la página [Configuración > Actualizar lista de dispositivos] del elemento de integración, marcar [Filtrar dispositivos] para volver a filtrar.",
|
||||
"data": {
|
||||
"statistics_logic": "Lógica de Estadísticas",
|
||||
"room_filter_mode": "Filtrar Habitaciones de la Familia",
|
||||
"room_list": "Habitaciones de la Familia",
|
||||
"type_filter_mode": "Filtrar Tipo de Dispositivo",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Filtrar Modelo de Dispositivo",
|
||||
"model_list": "Modelo de Dispositivo",
|
||||
"devices_filter_mode": "Filtrar Dispositivos",
|
||||
"device_list": "Lista de Dispositivos"
|
||||
"device_list": "Lista de Dispositivos",
|
||||
"statistics_logic": "Lógica de Estadísticas"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Filtrer les Appareils",
|
||||
"ctrl_mode": "Mode de Contrôle",
|
||||
"action_debug": "Mode de Débogage d’Actions",
|
||||
"hide_non_standard_entities": "Masquer les Entités Non Standard"
|
||||
"hide_non_standard_entities": "Masquer les Entités Non Standard",
|
||||
"display_devices_changed_notify": "Afficher les notifications de changement d'état de l'appareil"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrer les Appareils",
|
||||
"description": "## Introduction\r\n- Prend en charge le filtrage des appareils en fonction du nom de la pièce et du type d'appareil, ainsi que le filtrage basé sur les appareils.\r\n- Vous pouvez également accéder à la page de filtrage correspondante de l'intégration [Configuration> Mettre à jour la liste des appareils] pour refiltrer.",
|
||||
"description": "## Instructions d'utilisation\r\nPrend en charge le filtrage des appareils par nom de pièce de la maison, type d'accès de l'appareil et modèle d'appareil, et prend également en charge le filtrage par dimension de l'appareil. La logique de filtrage est la suivante :\r\n- Tout d'abord, selon la logique statistique, obtenez l'union ou l'intersection de tous les éléments inclus, puis obtenez l'intersection ou l'union des éléments exclus, et enfin soustrayez le [résultat du résumé inclus] du [résultat du résumé exclu] pour obtenir le [résultat du filtre].\r\n- Si aucun élément inclus n'est sélectionné, cela signifie que tous sont inclus.\r\n### Mode de Filtrage\r\n- Exclure : Supprimer les éléments indésirables.\r\n- Inclure : Inclure les éléments souhaités.\r\n### Logique Statistique\r\n- Logique ET : Prendre l'intersection de tous les éléments dans le même mode.\r\n- Logique OU : Prendre l'union de tous les éléments dans le même mode.\r\n\r\nVous pouvez également aller à la page [Configuration > Mettre à jour la liste des appareils] de l'élément d'intégration, cocher [Filtrer les appareils] pour re-filtrer.",
|
||||
"data": {
|
||||
"statistics_logic": "Logique de Statistiques",
|
||||
"room_filter_mode": "Filtrer les Pièces",
|
||||
"room_list": "Pièces",
|
||||
"type_filter_mode": "Filtrer les Types d'Appareils",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Filtrer les Modèles d'Appareils",
|
||||
"model_list": "Modèles d'Appareils",
|
||||
"devices_filter_mode": "Filtrer les Appareils",
|
||||
"device_list": "Liste des Appareils"
|
||||
"device_list": "Liste des Appareils",
|
||||
"statistics_logic": "Logique de Statistiques"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,8 +100,9 @@
|
||||
"update_devices": "Mettre à jour la liste des appareils",
|
||||
"action_debug": "Mode de débogage d'action",
|
||||
"hide_non_standard_entities": "Masquer les entités générées non standard",
|
||||
"update_trans_rules": "Mettre à jour les règles de conversion d'entités (configuration globale)",
|
||||
"update_lan_ctrl_config": "Mettre à jour la configuration de contrôle LAN (configuration globale)"
|
||||
"display_devices_changed_notify": "Afficher les notifications de changement d'état de l'appareil",
|
||||
"update_trans_rules": "Mettre à jour les règles de conversion d'entités",
|
||||
"update_lan_ctrl_config": "Mettre à jour la configuration de contrôle LAN"
|
||||
}
|
||||
},
|
||||
"update_user_info": {
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Re-sélectionner une maison et des appareils",
|
||||
"description": "## Instructions d'utilisation\r\n### Mode de contrôle\r\n- Automatique: Lorsqu'il y a une passerelle centrale Xiaomi disponible dans le réseau local, Home Assistant priorisera l'envoi des commandes de contrôle des appareils via la passerelle centrale pour réaliser un contrôle localisé. S'il n'y a pas de passerelle centrale dans le réseau local, il tentera d'envoyer des commandes de contrôle via le protocole Xiaomi OT pour réaliser un contrôle localisé. Ce n'est que lorsque les conditions de contrôle localisé ci-dessus ne sont pas remplies que les commandes de contrôle des appareils seront envoyées via le cloud.\r\n- Cloud: Les commandes de contrôle ne sont envoyées que via le cloud.\r\n### Importer une maison pour les appareils\r\nL'intégration ajoutera les appareils de la maison sélectionnée.\r\n \r\n### {nick_name} Bonjour ! Veuillez sélectionner le mode de contrôle de l'intégration et la maison où se trouvent les appareils à ajouter.",
|
||||
"description": "## Instructions d'utilisation\r\n### Importer une maison pour les appareils\r\nL'intégration ajoutera les appareils de la maison sélectionnée.\r\n### Filtrer les appareils\r\nPrend en charge le filtrage des appareils par nom de pièce de la maison, type d'accès de l'appareil et modèle d'appareil, et prend également en charge le filtrage par dimension de l'appareil. **{local_count}** appareils ont été filtrés.\r\n### Mode de contrôle\r\n- Automatique: Lorsqu'il y a une passerelle centrale Xiaomi disponible dans le réseau local, Home Assistant priorisera l'envoi des commandes de contrôle des appareils via la passerelle centrale pour réaliser un contrôle localisé. S'il n'y a pas de passerelle centrale dans le réseau local, il tentera d'envoyer des commandes de contrôle via le protocole Xiaomi OT pour réaliser un contrôle localisé. Ce n'est que lorsque les conditions de contrôle localisé ci-dessus ne sont pas remplies que les commandes de contrôle des appareils seront envoyées via le cloud.\r\n- Cloud: Les commandes de contrôle ne sont envoyées que via le cloud.",
|
||||
"data": {
|
||||
"home_infos": "Importer une maison pour les appareils",
|
||||
"devices_filter": "Filtrer les Appareils",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrer les Appareils",
|
||||
"description": "## Introduction\r\n- Prend en charge le filtrage des appareils en fonction du nom de la pièce et du type d'appareil, ainsi que le filtrage basé sur les appareils.\r\n- Vous pouvez également accéder à la page de filtrage correspondante de l'intégration [Configuration> Mettre à jour la liste des appareils] pour refiltrer.",
|
||||
"description": "## Instructions d'utilisation\r\nPrend en charge le filtrage des appareils par nom de pièce de la maison, type d'accès de l'appareil et modèle d'appareil, et prend également en charge le filtrage par dimension de l'appareil. La logique de filtrage est la suivante :\r\n- Tout d'abord, selon la logique statistique, obtenez l'union ou l'intersection de tous les éléments inclus, puis obtenez l'intersection ou l'union des éléments exclus, et enfin soustrayez le [résultat du résumé inclus] du [résultat du résumé exclu] pour obtenir le [résultat du filtre].\r\n- Si aucun élément inclus n'est sélectionné, cela signifie que tous sont inclus.\r\n### Mode de Filtrage\r\n- Exclure : Supprimer les éléments indésirables.\r\n- Inclure : Inclure les éléments souhaités.\r\n### Logique Statistique\r\n- Logique ET : Prendre l'intersection de tous les éléments dans le même mode.\r\n- Logique OU : Prendre l'union de tous les éléments dans le même mode.\r\n\r\nVous pouvez également aller à la page [Configuration > Mettre à jour la liste des appareils] de l'élément d'intégration, cocher [Filtrer les appareils] pour re-filtrer.",
|
||||
"data": {
|
||||
"statistics_logic": "Logique de Statistiques",
|
||||
"room_filter_mode": "Filtrer les Pièces",
|
||||
"room_list": "Pièces",
|
||||
"type_filter_mode": "Filtrer les Types d'Appareils",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Filtrer les Modèles d'Appareils",
|
||||
"model_list": "Modèles d'Appareils",
|
||||
"devices_filter_mode": "Filtrer les Appareils",
|
||||
"device_list": "Liste des Appareils"
|
||||
"device_list": "Liste des Appareils",
|
||||
"statistics_logic": "Logique de Statistiques"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "デバイスをフィルタリング",
|
||||
"ctrl_mode": "コントロールモード",
|
||||
"action_debug": "Actionデバッグモード",
|
||||
"hide_non_standard_entities": "非標準生成エンティティを隠す"
|
||||
"hide_non_standard_entities": "非標準生成エンティティを隠す",
|
||||
"display_devices_changed_notify": "デバイスの状態変化通知を表示"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "デバイスをフィルタリング",
|
||||
"description": "## 紹介\r\n- 部屋名とデバイスタイプでデバイスをフィルタリングすることができます。デバイスの次元でフィルタリングすることもできます。\r\n- 対応する統合項目【設定>デバイスリストの更新】ページに移動して再度フィルタリングすることもできます。",
|
||||
"description": "## 使用方法\r\n家庭の部屋の名前、デバイスの接続タイプ、デバイスのモデルでデバイスをフィルタリングすることをサポートし、デバイスの次元フィルタリングもサポートします。フィルタリングロジックは次のとおりです:\r\n- まず、統計ロジックに従って、すべての含まれる項目の和集合または交差を取得し、次に除外される項目の交差または和集合を取得し、最後に[含まれる集計結果]から[除外される集計結果]を引いて[フィルタ結果]を取得します。\r\n- 含まれる項目が選択されていない場合、すべてが含まれることを意味します。\r\n### フィルターモード\r\n- 除外:不要な項目を削除します。\r\n- 含む:必要な項目を含めます。\r\n### 統計ロジック\r\n- ANDロジック:同じモードのすべての項目の交差を取ります。\r\n- ORロジック:同じモードのすべての項目の和集合を取ります。\r\n\r\n統合項目の[設定 > デバイスリストの更新]ページに移動し、[デバイスをフィルタリング]を選択して再フィルタリングすることもできます。",
|
||||
"data": {
|
||||
"statistics_logic": "統計ロジック",
|
||||
"room_filter_mode": "家族の部屋をフィルタリング",
|
||||
"room_list": "家族の部屋",
|
||||
"type_filter_mode": "デバイスタイプをフィルタリング",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "デバイスモデルをフィルタリング",
|
||||
"model_list": "デバイスモデル",
|
||||
"devices_filter_mode": "デバイスをフィルタリング",
|
||||
"device_list": "デバイスリスト"
|
||||
"device_list": "デバイスリスト",
|
||||
"statistics_logic": "統計ロジック"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,8 +100,9 @@
|
||||
"update_devices": "デバイスリストを更新する",
|
||||
"action_debug": "Action デバッグモード",
|
||||
"hide_non_standard_entities": "非標準生成エンティティを非表示にする",
|
||||
"update_trans_rules": "エンティティ変換ルールを更新する (グローバル設定)",
|
||||
"update_lan_ctrl_config": "LAN制御構成を更新する(グローバル設定)"
|
||||
"display_devices_changed_notify": "デバイスの状態変化通知を表示",
|
||||
"update_trans_rules": "エンティティ変換ルールを更新する",
|
||||
"update_lan_ctrl_config": "LAN制御構成を更新する"
|
||||
}
|
||||
},
|
||||
"update_user_info": {
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "ホームとデバイスを再度選択",
|
||||
"description": "## 使用方法\r\n### 制御モード\r\n- 自動: ローカルエリアネットワーク内に利用可能なXiaomi中央ゲートウェイが存在する場合、Home Assistantは中央ゲートウェイを介してデバイス制御コマンドを優先的に送信し、ローカル制御機能を実現します。ローカルエリアネットワーク内に中央ゲートウェイが存在しない場合、Xiaomi OTプロトコルを介して制御コマンドを送信し、ローカル制御機能を実現しようとします。上記のローカル制御条件が満たされない場合にのみ、デバイス制御コマンドはクラウドを介して送信されます。\r\n- クラウド: 制御コマンドはクラウドを介してのみ送信されます。\r\n### 導入されたデバイスのホーム\r\n統合は、選択された家庭にあるデバイスを追加します。\r\n \r\n### {nick_name} さん、こんにちは! 統合制御モードと追加するデバイスがあるホームを選択してください。",
|
||||
"description": "## 使用方法\r\n### 導入されたデバイスのホーム\r\n統合は、選択された家庭にあるデバイスを追加します。\r\n### デバイスをフィルタリング\r\n家庭の部屋の名前、デバイスの接続タイプ、デバイスのモデルでデバイスをフィルタリングすることをサポートし、デバイスの次元フィルタリングもサポートします。**{local_count}** 個のデバイスがフィルタリングされました。\r\n### 制御モード\r\n- 自動: ローカルエリアネットワーク内に利用可能なXiaomi中央ゲートウェイが存在する場合、Home Assistantは中央ゲートウェイを介してデバイス制御コマンドを優先的に送信し、ローカル制御機能を実現します。ローカルエリアネットワーク内に中央ゲートウェイが存在しない場合、Xiaomi OTプロトコルを介して制御コマンドを送信し、ローカル制御機能を実現しようとします。上記のローカル制御条件が満たされない場合にのみ、デバイス制御コマンドはクラウドを介して送信されます。\r\n- クラウド: 制御コマンドはクラウドを介してのみ送信されます。",
|
||||
"data": {
|
||||
"home_infos": "導入されたデバイスのホーム",
|
||||
"devices_filter": "デバイスをフィルタリング",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "デバイスをフィルタリング",
|
||||
"description": "## 紹介\r\n- 部屋名とデバイスタイプでデバイスをフィルタリングすることができます。デバイスの次元でフィルタリングすることもできます。\r\n- 対応する統合項目【設定>デバイスリストの更新】ページに移動して再度フィルタリングすることもできます。",
|
||||
"description": "## 使用方法\r\n家庭の部屋の名前、デバイスの接続タイプ、デバイスのモデルでデバイスをフィルタリングすることをサポートし、デバイスの次元フィルタリングもサポートします。フィルタリングロジックは次のとおりです:\r\n- まず、統計ロジックに従って、すべての含まれる項目の和集合または交差を取得し、次に除外される項目の交差または和集合を取得し、最後に[含まれる集計結果]から[除外される集計結果]を引いて[フィルタ結果]を取得します。\r\n- 含まれる項目が選択されていない場合、すべてが含まれることを意味します。\r\n### フィルターモード\r\n- 除外:不要な項目を削除します。\r\n- 含む:必要な項目を含めます。\r\n### 統計ロジック\r\n- ANDロジック:同じモードのすべての項目の交差を取ります。\r\n- ORロジック:同じモードのすべての項目の和集合を取ります。\r\n\r\n統合項目の[設定 > デバイスリストの更新]ページに移動し、[デバイスをフィルタリング]を選択して再フィルタリングすることもできます。",
|
||||
"data": {
|
||||
"statistics_logic": "統計ロジック",
|
||||
"room_filter_mode": "家族の部屋をフィルタリング",
|
||||
"room_list": "家族の部屋",
|
||||
"type_filter_mode": "デバイスタイプをフィルタリング",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "デバイスモデルをフィルタリング",
|
||||
"model_list": "デバイスモデル",
|
||||
"devices_filter_mode": "デバイスをフィルタリング",
|
||||
"device_list": "デバイスリスト"
|
||||
"device_list": "デバイスリスト",
|
||||
"statistics_logic": "統計ロジック"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Apparaten filteren",
|
||||
"ctrl_mode": "Besturingsmodus",
|
||||
"action_debug": "Actie-debugmodus",
|
||||
"hide_non_standard_entities": "Niet-standaard entiteiten verbergen"
|
||||
"hide_non_standard_entities": "Niet-standaard entiteiten verbergen",
|
||||
"display_devices_changed_notify": "Apparaatstatuswijzigingen weergeven"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Apparaten filteren",
|
||||
"description": "## Inleiding\r\n- Ondersteunt het filteren van apparaten op basis van kamer- en apparaattypen, en ondersteunt ook apparaatdimensiefiltering.\r\n- U kunt ook naar de overeenkomstige integratie-item [Configuratie>Apparaatlijst bijwerken] pagina gaan om opnieuw te filteren.",
|
||||
"description": "## Gebruiksinstructies\r\nOndersteunt het filteren van apparaten op kamernaam, apparaattoegangstype en apparaattype, en ondersteunt ook het filteren op apparaatdimensie. De filterlogica is als volgt:\r\n- Eerst, volgens de statistische logica, de vereniging of doorsnede van alle opgenomen items verkrijgen, vervolgens de doorsnede of vereniging van de uitgesloten items verkrijgen, en ten slotte het [opgenomen samenvattingsresultaat] aftrekken van het [uitgesloten samenvattingsresultaat] om het [filterresultaat] te verkrijgen.\r\n- Als er geen opgenomen items zijn geselecteerd, betekent dit dat alles is opgenomen.\r\n### Filtermodus\r\n- Uitsluiten: Ongewenste items verwijderen.\r\n- Opnemen: Gewenste items opnemen.\r\n### Statistische Logica\r\n- EN-logica: Neem de doorsnede van alle items in dezelfde modus.\r\n- OF-logica: Neem de vereniging van alle items in dezelfde modus.\r\n\r\nU kunt ook naar de pagina [Configuratie > Apparaatlijst bijwerken] van het integratie-item gaan, [Apparaten filteren] aanvinken om opnieuw te filteren.",
|
||||
"data": {
|
||||
"statistics_logic": "Statistische logica",
|
||||
"room_filter_mode": "Kamerfiltermodus",
|
||||
"room_list": "Kamers",
|
||||
"type_filter_mode": "Apparaattypen filteren",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Apparaatmodel filteren",
|
||||
"model_list": "Apparaatmodellen",
|
||||
"devices_filter_mode": "Apparaten filteren",
|
||||
"device_list": "Apparaatlijst"
|
||||
"device_list": "Apparaatlijst",
|
||||
"statistics_logic": "Statistische logica"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,6 +100,7 @@
|
||||
"update_devices": "Werk apparatenlijst bij",
|
||||
"action_debug": "Debugmodus voor actie",
|
||||
"hide_non_standard_entities": "Verberg niet-standaard gemaakte entiteiten",
|
||||
"display_devices_changed_notify": "Apparaatstatuswijzigingen weergeven",
|
||||
"update_trans_rules": "Werk entiteitsconversieregels bij",
|
||||
"update_lan_ctrl_config": "Werk LAN controleconfiguratie bij"
|
||||
}
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Huis en Apparaten opnieuw selecteren",
|
||||
"description": "## Gebruiksinstructies\r\n### Controlemodus\r\n- Auto: Wanneer er een beschikbare Xiaomi centrale hubgateway in het lokale netwerk is, geeft Home Assistant de voorkeur aan het verzenden van apparaatbedieningscommando's via de centrale hubgateway om lokale controle te bereiken. Als er geen centrale hubgateway in het lokale netwerk is, zal het proberen bedieningscommando's te verzenden via de Xiaomi LAN-controlefunctie. Alleen wanneer de bovenstaande lokale controlevoorwaarden niet zijn vervuld, worden de apparaatbedieningscommando's via de cloud verzonden.\r\n- Cloud: Alle bedieningscommando's worden via de cloud verzonden.\r\n### Apparaten importeren vanuit huis\r\nDe integratie voegt apparaten toe van de geselecteerde huizen.\r\n \r\n### Hallo {nick_name}, selecteer alstublieft de integratie controlemethodiek en het huis waar het apparaat dat u wilt importeren zich bevindt.",
|
||||
"description": "## Gebruiksinstructies\r\n### Importeer apparaten uit huis\r\nDe integratie voegt apparaten toe van de geselecteerde huizen.\r\n### Apparaten filteren\r\nOndersteunt het filteren van apparaten op kamernaam, apparaattoegangstype en apparaattype, en ondersteunt ook het filteren op apparaatdimensie. **{local_count}** apparaten zijn gefilterd.\r\n### Controlemodus\r\n- Auto: Wanneer er een beschikbare Xiaomi centrale hubgateway in het lokale netwerk is, geeft Home Assistant de voorkeur aan het verzenden van apparaatbedieningscommando's via de centrale hubgateway om lokale controle te bereiken. Als er geen centrale hubgateway in het lokale netwerk is, zal het proberen bedieningscommando's te verzenden via de Xiaomi LAN-controlefunctie. Alleen wanneer de bovenstaande lokale controlevoorwaarden niet zijn vervuld, worden de apparaatbedieningscommando's via de cloud verzonden.\r\n- Cloud: Alle bedieningscommando's worden via de cloud verzonden.",
|
||||
"data": {
|
||||
"home_infos": "Importeer apparaten uit huis",
|
||||
"devices_filter": "Apparaten filteren",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Apparaten filteren",
|
||||
"description": "## Inleiding\r\n- Ondersteunt het filteren van apparaten op basis van kamer- en apparaattypen, en ondersteunt ook apparaatdimensiefiltering.\r\n- U kunt ook naar de overeenkomstige integratie-item [Configuratie>Apparaatlijst bijwerken] pagina gaan om opnieuw te filteren.",
|
||||
"description": "## Gebruiksinstructies\r\nOndersteunt het filteren van apparaten op kamernaam, apparaattoegangstype en apparaattype, en ondersteunt ook het filteren op apparaatdimensie. De filterlogica is als volgt:\r\n- Eerst, volgens de statistische logica, de vereniging of doorsnede van alle opgenomen items verkrijgen, vervolgens de doorsnede of vereniging van de uitgesloten items verkrijgen, en ten slotte het [opgenomen samenvattingsresultaat] aftrekken van het [uitgesloten samenvattingsresultaat] om het [filterresultaat] te verkrijgen.\r\n- Als er geen opgenomen items zijn geselecteerd, betekent dit dat alles is opgenomen.\r\n### Filtermodus\r\n- Uitsluiten: Ongewenste items verwijderen.\r\n- Opnemen: Gewenste items opnemen.\r\n### Statistische Logica\r\n- EN-logica: Neem de doorsnede van alle items in dezelfde modus.\r\n- OF-logica: Neem de vereniging van alle items in dezelfde modus.\r\n\r\nU kunt ook naar de pagina [Configuratie > Apparaatlijst bijwerken] van het integratie-item gaan, [Apparaten filteren] aanvinken om opnieuw te filteren.",
|
||||
"data": {
|
||||
"statistics_logic": "Statistische logica",
|
||||
"room_filter_mode": "Kamerfiltermodus",
|
||||
"room_list": "Kamers",
|
||||
"type_filter_mode": "Apparaattypen filteren",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Apparaatmodel filteren",
|
||||
"model_list": "Apparaatmodellen",
|
||||
"devices_filter_mode": "Apparaten filteren",
|
||||
"device_list": "Apparaatlijst"
|
||||
"device_list": "Apparaatlijst",
|
||||
"statistics_logic": "Statistische logica"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Filtrar Dispositivos",
|
||||
"ctrl_mode": "Modo de Controle",
|
||||
"action_debug": "Modo de Depuração de Ações",
|
||||
"hide_non_standard_entities": "Ocultar Entidades Geradas Não Padrão"
|
||||
"hide_non_standard_entities": "Ocultar Entidades Geradas Não Padrão",
|
||||
"display_devices_changed_notify": "Exibir notificações de mudança de status do dispositivo",
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrar Dispositivos",
|
||||
"description": "## Introdução\r\n- Suporte para filtrar dispositivos por nome da sala e tipo de dispositivo, bem como filtragem por família.\r\n- Você também pode acessar a página correspondente da integração [Configuração>Atualizar Lista de Dispositivos] para refiltrar.",
|
||||
"description": "## Instruções de Uso\r\nSuporta a filtragem de dispositivos por nome da sala, tipo de acesso do dispositivo e modelo do dispositivo, e também suporta a filtragem por dimensão do dispositivo. A lógica de filtragem é a seguinte:\r\n- Primeiro, de acordo com a lógica estatística, obtenha a união ou interseção de todos os itens incluídos, depois obtenha a interseção ou união dos itens excluídos, e finalmente subtraia o [resultado do resumo incluído] do [resultado do resumo excluído] para obter o [resultado do filtro].\r\n- Se nenhum item incluído for selecionado, significa que todos estão incluídos.\r\n### Modo de Filtragem\r\n- Excluir: Remover itens indesejados.\r\n- Incluir: Incluir itens desejados.\r\n### Lógica Estatística\r\n- Lógica E: Pegue a interseção de todos os itens no mesmo modo.\r\n- Lógica OU: Pegue a união de todos os itens no mesmo modo.\r\n\r\nVocê também pode ir para a página [Configuração > Atualizar Lista de Dispositivos] do item de integração, marcar [Filtrar Dispositivos] para refiltrar.",
|
||||
"data": {
|
||||
"statistics_logic": "Lógica de Estatísticas",
|
||||
"room_filter_mode": "Filtrar por Sala",
|
||||
"room_list": "Salas",
|
||||
"type_filter_mode": "Filtrar por Tipo de Dispositivo",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Filtrar por Modelo de Dispositivo",
|
||||
"model_list": "Modelos de Dispositivo",
|
||||
"devices_filter_mode": "Filtrar Dispositivos",
|
||||
"device_list": "Lista de Dispositivos"
|
||||
"device_list": "Lista de Dispositivos",
|
||||
"statistics_logic": "Lógica de Estatísticas"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,6 +100,7 @@
|
||||
"update_devices": "Atualizar lista de dispositivos",
|
||||
"action_debug": "Modo de depuração para ação",
|
||||
"hide_non_standard_entities": "Ocultar entidades não padrão criadas",
|
||||
"display_devices_changed_notify": "Exibir notificações de mudança de status do dispositivo",
|
||||
"update_trans_rules": "Atualizar regras de conversão de entidades",
|
||||
"update_lan_ctrl_config": "Atualizar configuração de controle LAN"
|
||||
}
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Selecionar novamente Casa e Dispositivos",
|
||||
"description": "## Instruções de Uso\r\n### Modo de controle\r\n- Auto: Quando houver um gateway central Xiaomi disponível na rede local, o Home Assistant priorizará o envio de comandos através dele para obter controle local. Caso não haja, tentará enviar comandos através da função de controle LAN da Xiaomi. Somente se as condições anteriores não forem atendidas, o controle será feito pela nuvem.\r\n- Nuvem: Todos os comandos de controle são enviados pela nuvem.\r\n### Importar dispositivos da casa\r\nA integração adicionará dispositivos das casas selecionadas.\r\n \r\n### Olá {nick_name}, selecione o modo de controle da integração e a casa de onde deseja importar dispositivos.",
|
||||
"description": "## Instruções de Uso\r\n### Importar dispositivos da casa\r\nA integração adicionará dispositivos das casas selecionadas.\r\n### Filtrar Dispositivos\r\nSuporta a filtragem de dispositivos por nome da sala, tipo de acesso do dispositivo e modelo do dispositivo, e também suporta a filtragem por dimensão do dispositivo. **{local_count}** dispositivos foram filtrados.\r\n### Modo de controle\r\n- Auto: Quando houver um gateway central Xiaomi disponível na rede local, o Home Assistant priorizará o envio de comandos através dele para obter controle local. Caso não haja, tentará enviar comandos através da função de controle LAN da Xiaomi. Somente se as condições anteriores não forem atendidas, o controle será feito pela nuvem.\r\n- Nuvem: Todos os comandos de controle são enviados pela nuvem.",
|
||||
"data": {
|
||||
"home_infos": "Importar dispositivos da casa",
|
||||
"devices_filter": "Filtrar Dispositivos",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrar Dispositivos",
|
||||
"description": "## Introdução\r\n- Suporte para filtrar dispositivos por nome da sala e tipo de dispositivo, bem como filtragem por família.\r\n- Você também pode acessar a página correspondente da integração [Configuração>Atualizar Lista de Dispositivos] para refiltrar.",
|
||||
"description": "## Instruções de Uso\r\nSuporta a filtragem de dispositivos por nome da sala, tipo de acesso do dispositivo e modelo do dispositivo, e também suporta a filtragem por dimensão do dispositivo. A lógica de filtragem é a seguinte:\r\n- Primeiro, de acordo com a lógica estatística, obtenha a união ou interseção de todos os itens incluídos, depois obtenha a interseção ou união dos itens excluídos, e finalmente subtraia o [resultado do resumo incluído] do [resultado do resumo excluído] para obter o [resultado do filtro].\r\n- Se nenhum item incluído for selecionado, significa que todos estão incluídos.\r\n### Modo de Filtragem\r\n- Excluir: Remover itens indesejados.\r\n- Incluir: Incluir itens desejados.\r\n### Lógica Estatística\r\n- Lógica E: Pegue a interseção de todos os itens no mesmo modo.\r\n- Lógica OU: Pegue a união de todos os itens no mesmo modo.\r\n\r\nVocê também pode ir para a página [Configuração > Atualizar Lista de Dispositivos] do item de integração, marcar [Filtrar Dispositivos] para refiltrar.",
|
||||
"data": {
|
||||
"statistics_logic": "Lógica de Estatísticas",
|
||||
"room_filter_mode": "Filtrar por Sala",
|
||||
"room_list": "Salas",
|
||||
"type_filter_mode": "Filtrar por Tipo de Dispositivo",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Filtrar por Modelo de Dispositivo",
|
||||
"model_list": "Modelos de Dispositivo",
|
||||
"devices_filter_mode": "Filtrar Dispositivos",
|
||||
"device_list": "Lista de Dispositivos"
|
||||
"device_list": "Lista de Dispositivos",
|
||||
"statistics_logic": "Lógica de Estatísticas"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Filtrar Dispositivos",
|
||||
"ctrl_mode": "Modo de Controlo",
|
||||
"action_debug": "Modo de Depuração de Ações",
|
||||
"hide_non_standard_entities": "Ocultar Entidades Geradas Não Padrão"
|
||||
"hide_non_standard_entities": "Ocultar Entidades Geradas Não Padrão",
|
||||
"display_devices_changed_notify": "Exibir notificações de mudança de status do dispositivo"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrar Dispositivos",
|
||||
"description": "## Introdução\r\n- Suporta a filtragem de dispositivos por nome de sala e tipo de dispositivo, bem como a filtragem por família.\r\n- Pode também aceder à página de configuração correspondente da integração [Configuração > Atualizar Lista de Dispositivos] para refazer a filtragem.",
|
||||
"description": "## Instruções de Utilização\r\nSuporta a filtragem de dispositivos por nome da sala, tipo de acesso do dispositivo e modelo do dispositivo, e também suporta a filtragem por dimensão do dispositivo. A lógica de filtragem é a seguinte:\r\n- Primeiro, de acordo com a lógica estatística, obtenha a união ou interseção de todos os itens incluídos, depois obtenha a interseção ou união dos itens excluídos, e finalmente subtraia o [resultado do resumo incluído] do [resultado do resumo excluído] para obter o [resultado do filtro].\r\n- Se nenhum item incluído for selecionado, significa que todos estão incluídos.\r\n### Modo de Filtragem\r\n- Excluir: Remover itens indesejados.\r\n- Incluir: Incluir itens desejados.\r\n### Lógica Estatística\r\n- Lógica E: Pegue a interseção de todos os itens no mesmo modo.\r\n- Lógica OU: Pegue a união de todos os itens no mesmo modo.\r\n\r\nVocê também pode ir para a página [Configuração > Atualizar Lista de Dispositivos] do item de integração, marcar [Filtrar Dispositivos] para refiltrar.",
|
||||
"data": {
|
||||
"statistics_logic": "Lógica de Estatísticas",
|
||||
"room_filter_mode": "Filtrar por Sala",
|
||||
"room_list": "Salas",
|
||||
"type_filter_mode": "Filtrar por Tipo de Dispositivo",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Filtrar por Modelo de Dispositivo",
|
||||
"model_list": "Modelos de Dispositivo",
|
||||
"devices_filter_mode": "Filtrar Dispositivos",
|
||||
"device_list": "Lista de Dispositivos"
|
||||
"device_list": "Lista de Dispositivos",
|
||||
"statistics_logic": "Lógica de Estatísticas"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,6 +100,7 @@
|
||||
"update_devices": "Atualizar lista de dispositivos",
|
||||
"action_debug": "Modo de depuração de ação",
|
||||
"hide_non_standard_entities": "Ocultar entidades não padrão",
|
||||
"display_devices_changed_notify": "Exibir notificações de mudança de status do dispositivo",
|
||||
"update_trans_rules": "Atualizar regras de conversão de entidades",
|
||||
"update_lan_ctrl_config": "Atualizar configuração de controlo LAN"
|
||||
}
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Selecionar novamente a Casa e os Dispositivos",
|
||||
"description": "## Instruções de Utilização\r\n### Modo de Controlo\r\n- Automático: Quando houver um gateway central Xiaomi disponível na rede local, o Home Assistant priorizará o envio de comandos através dele para obter controlo local. Se não existir um gateway central, tentará enviar comandos através da função de controlo LAN da Xiaomi. Apenas se estas condições não forem satisfeitas, os comandos serão enviados pela nuvem.\r\n- Nuvem: Todos os comandos de controlo são enviados através da nuvem.\r\n### Importar dispositivos da casa\r\nA integração adicionará dispositivos das casas selecionadas.\r\n \r\n### Olá {nick_name}, selecione o modo de controlo da integração e a casa da qual pretende importar dispositivos.",
|
||||
"description": "## Instruções de Utilização\r\n### Importar dispositivos da casa\r\nA integração adicionará dispositivos das casas selecionadas.\r\n### Filtrar Dispositivos\r\nSuporta a filtragem de dispositivos por nome da sala, tipo de acesso do dispositivo e modelo do dispositivo, e também suporta a filtragem por dimensão do dispositivo. **{local_count}** dispositivos foram filtrados.\r\n### Modo de Controlo\r\n- Automático: Quando houver um gateway central Xiaomi disponível na rede local, o Home Assistant priorizará o envio de comandos através dele para obter controlo local. Se não existir um gateway central, tentará enviar comandos através da função de controlo LAN da Xiaomi. Apenas se estas condições não forem satisfeitas, os comandos serão enviados pela nuvem.\r\n- Nuvem: Todos os comandos de controlo são enviados através da nuvem.",
|
||||
"data": {
|
||||
"home_infos": "Importar dispositivos da casa",
|
||||
"devices_filter": "Filtrar Dispositivos",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Filtrar Dispositivos",
|
||||
"description": "## Introdução\r\n- Suporta a filtragem de dispositivos por nome de sala e tipo de dispositivo, bem como a filtragem por família.\r\n- Pode também aceder à página de configuração correspondente da integração [Configuração > Atualizar Lista de Dispositivos] para refazer a filtragem.",
|
||||
"description": "## Instruções de Utilização\r\nSuporta a filtragem de dispositivos por nome da sala, tipo de acesso do dispositivo e modelo do dispositivo, e também suporta a filtragem por dimensão do dispositivo. A lógica de filtragem é a seguinte:\r\n- Primeiro, de acordo com a lógica estatística, obtenha a união ou interseção de todos os itens incluídos, depois obtenha a interseção ou união dos itens excluídos, e finalmente subtraia o [resultado do resumo incluído] do [resultado do resumo excluído] para obter o [resultado do filtro].\r\n- Se nenhum item incluído for selecionado, significa que todos estão incluídos.\r\n### Modo de Filtragem\r\n- Excluir: Remover itens indesejados.\r\n- Incluir: Incluir itens desejados.\r\n### Lógica Estatística\r\n- Lógica E: Pegue a interseção de todos os itens no mesmo modo.\r\n- Lógica OU: Pegue a união de todos os itens no mesmo modo.\r\n\r\nVocê também pode ir para a página [Configuração > Atualizar Lista de Dispositivos] do item de integração, marcar [Filtrar Dispositivos] para refiltrar.",
|
||||
"data": {
|
||||
"statistics_logic": "Lógica de Estatísticas",
|
||||
"room_filter_mode": "Filtrar por Sala",
|
||||
"room_list": "Salas",
|
||||
"type_filter_mode": "Filtrar por Tipo de Dispositivo",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Filtrar por Modelo de Dispositivo",
|
||||
"model_list": "Modelos de Dispositivo",
|
||||
"devices_filter_mode": "Filtrar Dispositivos",
|
||||
"device_list": "Lista de Dispositivos"
|
||||
"device_list": "Lista de Dispositivos",
|
||||
"statistics_logic": "Lógica de Estatísticas"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "Фильтрация устройств",
|
||||
"ctrl_mode": "Режим управления",
|
||||
"action_debug": "Режим отладки действий",
|
||||
"hide_non_standard_entities": "Скрыть нестандартные сущности"
|
||||
"hide_non_standard_entities": "Скрыть нестандартные сущности",
|
||||
"display_devices_changed_notify": "Отображать уведомления о изменении состояния устройства"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Фильтрация устройств",
|
||||
"description": "## Введение\r\n- Поддерживает фильтрацию устройств по названию комнаты и типу устройства, а также фильтрацию по уровню устройства.\r\n- Вы также можете перейти на соответствующую страницу интеграции [Настройки> Обновить список устройств], чтобы перефильтровать.",
|
||||
"description": "## Инструкция по использованию\r\nПоддерживает фильтрацию устройств по названию комнаты, типу доступа устройства и модели устройства, а также поддерживает фильтрацию по размеру устройства. Логика фильтрации следующая:\r\n- Сначала, согласно статистической логике, получите объединение или пересечение всех включенных элементов, затем получите пересечение или объединение исключенных элементов, и, наконец, вычтите [включенный итоговый результат] из [исключенного итогового результата], чтобы получить [результат фильтрации].\r\n- Если не выбраны включенные элементы, это означает, что все включены.\r\n### Режим фильтрации\r\n- Исключить: Удалить ненужные элементы.\r\n- Включить: Включить нужные элементы.\r\n### Статистическая логика\r\n- Логика И: Взять пересечение всех элементов в одном режиме.\r\n- Логика ИЛИ: Взять объединение всех элементов в одном режиме.\r\n\r\nВы также можете перейти на страницу [Конфигурация > Обновить список устройств] элемента интеграции, установить флажок [Фильтровать устройства], чтобы повторно отфильтровать.",
|
||||
"data": {
|
||||
"statistics_logic": "Логика статистики",
|
||||
"room_filter_mode": "Фильтрация по комнатам семьи",
|
||||
"room_list": "Комнаты семьи",
|
||||
"type_filter_mode": "Фильтрация по типу устройства",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "Фильтрация по модели устройства",
|
||||
"model_list": "Модели устройств",
|
||||
"devices_filter_mode": "Фильтрация устройств",
|
||||
"device_list": "Список устройств"
|
||||
"device_list": "Список устройств",
|
||||
"statistics_logic": "Логика статистики"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,8 +100,9 @@
|
||||
"update_devices": "Обновить список устройств",
|
||||
"action_debug": "Режим отладки Action",
|
||||
"hide_non_standard_entities": "Скрыть нестандартные сущности",
|
||||
"update_trans_rules": "Обновить правила преобразования сущностей (глобальная настройка)",
|
||||
"update_lan_ctrl_config": "Обновить конфигурацию управления LAN (глобальная настройка)"
|
||||
"display_devices_changed_notify": "Отображать уведомления о изменении состояния устройства",
|
||||
"update_trans_rules": "Обновить правила преобразования сущностей",
|
||||
"update_lan_ctrl_config": "Обновить конфигурацию управления LAN"
|
||||
}
|
||||
},
|
||||
"update_user_info": {
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "Выберите дом и устройства",
|
||||
"description": "## Инструкция по использованию\r\n### Режим управления\r\n- Авто: Когда в локальной сети доступен центральный шлюз Xiaomi, Home Assistant будет в первую очередь отправлять команды управления устройствами через центральный шлюз для достижения локализованного управления. Если в локальной сети нет центрального шлюза, он попытается отправить команды управления через протокол Xiaomi OT для достижения локализованного управления. Только если вышеуказанные условия локализованного управления не выполняются, команды управления устройствами будут отправляться через облако.\r\n- Облако: Команды управления отправляются только через облако.\r\n### Импорт домашнего устройства\r\nИнтеграция добавит устройства из выбранных домов.\r\n \r\n### {nick_name} Здравствуйте! Выберите режим управления интеграцией и дом, в котором находятся устройства, которые вы хотите добавить.",
|
||||
"description": "## Инструкция по использованию\r\n### Импорт домашнего устройства\r\nИнтеграция добавит устройства из выбранных домов.\r\n### Фильтрация устройств\r\nПоддерживает фильтрацию устройств по названию комнаты, типу доступа устройства и модели устройства, а также поддерживает фильтрацию по размеру устройства. Отфильтровано **{local_count}** устройств.\r\n### Режим управления\r\n- Авто: Когда в локальной сети доступен центральный шлюз Xiaomi, Home Assistant будет в первую очередь отправлять команды управления устройствами через центральный шлюз для достижения локализованного управления. Если в локальной сети нет центрального шлюза, он попытается отправить команды управления через протокол Xiaomi OT для достижения локализованного управления. Только если вышеуказанные условия локализованного управления не выполняются, команды управления устройствами будут отправляться через облако.\r\n- Облако: Команды управления отправляются только через облако.",
|
||||
"data": {
|
||||
"home_infos": "Импорт домашнего устройства",
|
||||
"devices_filter": "Фильтрация устройств",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "Фильтрация устройств",
|
||||
"description": "## Введение\r\n- Поддерживает фильтрацию устройств по названию комнаты и типу устройства, а также фильтрацию по уровню устройства.\r\n- Вы также можете перейти на соответствующую страницу интеграции [Настройки> Обновить список устройств], чтобы перефильтровать.",
|
||||
"description": "## Инструкция по использованию\r\nПоддерживает фильтрацию устройств по названию комнаты, типу доступа устройства и модели устройства, а также поддерживает фильтрацию по размеру устройства. Логика фильтрации следующая:\r\n- Сначала, согласно статистической логике, получите объединение или пересечение всех включенных элементов, затем получите пересечение или объединение исключенных элементов, и, наконец, вычтите [включенный итоговый результат] из [исключенного итогового результата], чтобы получить [результат фильтрации].\r\n- Если не выбраны включенные элементы, это означает, что все включены.\r\n### Режим фильтрации\r\n- Исключить: Удалить ненужные элементы.\r\n- Включить: Включить нужные элементы.\r\n### Статистическая логика\r\n- Логика И: Взять пересечение всех элементов в одном режиме.\r\n- Логика ИЛИ: Взять объединение всех элементов в одном режиме.\r\n\r\nВы также можете перейти на страницу [Конфигурация > Обновить список устройств] элемента интеграции, установить флажок [Фильтровать устройства], чтобы повторно отфильтровать.",
|
||||
"data": {
|
||||
"statistics_logic": "Логика статистики",
|
||||
"room_filter_mode": "Фильтрация по комнатам семьи",
|
||||
"room_list": "Комнаты семьи",
|
||||
"type_filter_mode": "Фильтрация по типу устройства",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "Фильтрация по модели устройства",
|
||||
"model_list": "Модели устройств",
|
||||
"devices_filter_mode": "Фильтрация устройств",
|
||||
"device_list": "Список устройств"
|
||||
"device_list": "Список устройств",
|
||||
"statistics_logic": "Логика статистики"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -33,19 +33,19 @@
|
||||
},
|
||||
"advanced_options": {
|
||||
"title": "高级设置选项",
|
||||
"description": "## 使用介绍\r\n### 除非您非常清楚下列选项的含义,否则请保持默认。\r\n### 筛选设备\r\n支持按照房间名称和设备类型筛选设备,同时也支持设备维度筛选。\r\n### 控制模式\r\n- 自动:本地局域网内存在可用的小米中枢网关时, Home Assistant 会优先通过中枢网关发送设备控制指令,以实现本地化控制功能。本地局域网不存在中枢时,会尝试通过小米OT协议发送控制指令,以实现本地化控制功能。只有当上述本地化控制条件不满足时,设备控制指令才会通过云端发送。\r\n- 云端:控制指令仅通过云端发送。\r\n### Action 调试模式\r\n对于设备 MIoT-Spec-V2 定义的方法,在生成通知实体之外,还会生成一个文本输入框实体,您可以在调试时用它向设备发送控制指令。\r\n### 隐藏非标准生成实体\r\n隐藏名称以“*”开头的非标准 MIoT-Spec-V2 实例生成的实体。",
|
||||
"description": "## 使用介绍\r\n### 除非您非常清楚下列选项的含义,否则请保持默认。\r\n### 筛选设备\r\n支持按照家庭房间名称、设备接入类型、设备型号筛选设备,同时也支持设备维度筛选。\r\n### 控制模式\r\n- 自动:本地局域网内存在可用的小米中枢网关时, Home Assistant 会优先通过中枢网关发送设备控制指令,以实现本地化控制功能。本地局域网不存在中枢时,会尝试通过小米OT协议发送控制指令,以实现本地化控制功能。只有当上述本地化控制条件不满足时,设备控制指令才会通过云端发送。\r\n- 云端:控制指令仅通过云端发送。\r\n### Action 调试模式\r\n对于设备 MIoT-Spec-V2 定义的方法,在生成通知实体之外,还会生成一个文本输入框实体,您可以在调试时用它向设备发送控制指令。\r\n### 隐藏非标准生成实体\r\n隐藏名称以“*”开头的非标准 MIoT-Spec-V2 实例生成的实体。",
|
||||
"data": {
|
||||
"devices_filter": "筛选设备",
|
||||
"ctrl_mode": "控制模式",
|
||||
"action_debug": "Action 调试模式",
|
||||
"hide_non_standard_entities": "隐藏非标准生成实体"
|
||||
"hide_non_standard_entities": "隐藏非标准生成实体",
|
||||
"display_devices_changed_notify": "显示设备状态变化通知"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "筛选设备",
|
||||
"description": "## 使用介绍\r\n支持按照房间名称、设备接入类型、设备型号筛选设备,同时也支持设备维度筛选。\r\n- 统计优先级:排除优先级高于包含优先级,会先取包含项,然后再排除。\r\n- 筛选优先级:筛选设备>筛选设备型号>筛选设备接入类型>筛选家庭房间\r\n### 统计逻辑\r\n- 与逻辑:取所有同模式筛选项的交集。\r\n- 或逻辑:取所有同模式筛选项的并集。\r\n### 筛选模式\r\n- 排除:移除不需要的项。\r\n- 包含:包含需要的项。\r\n\r\n您也可以进入对应集成项【配置>更新设备列表】页面重新筛选。",
|
||||
"description": "## 使用介绍\r\n支持按照家庭房间名称、设备接入类型、设备型号筛选设备,同时也支持设备维度筛选,筛选逻辑如下:\r\n- 会先根据统计逻辑获取所有包含项的并集或者交集,然后再获取排除项的交集或者并集,最后将【包含汇总结果】减去【排除汇总结果】得到【筛选结果】\r\n- 如未选择包含项,表示包含全部。\r\n### 筛选模式\r\n- 排除:移除不需要的项。\r\n- 包含:包含需要的项。\r\n### 统计逻辑\r\n- 与逻辑:取所有同模式筛选项的交集。\r\n- 或逻辑:取所有同模式筛选项的并集。\r\n\r\n您也可以进入集成项的【配置>更新设备列表】页面,勾选【筛选设备】重新筛选。",
|
||||
"data": {
|
||||
"statistics_logic": "统计逻辑",
|
||||
"room_filter_mode": "筛选家庭房间",
|
||||
"room_list": "家庭房间",
|
||||
"type_filter_mode": "筛选设备接入类型",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "筛选设备型号",
|
||||
"model_list": "设备型号",
|
||||
"devices_filter_mode": "筛选设备",
|
||||
"device_list": "设备列表"
|
||||
"device_list": "设备列表",
|
||||
"statistics_logic": "统计逻辑"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,6 +100,7 @@
|
||||
"update_devices": "更新设备列表",
|
||||
"action_debug": "Action 调试模式",
|
||||
"hide_non_standard_entities": "隐藏非标准生成实体",
|
||||
"display_devices_changed_notify": "显示设备状态变化通知",
|
||||
"update_trans_rules": "更新实体转换规则",
|
||||
"update_lan_ctrl_config": "更新局域网控制配置"
|
||||
}
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "重新选择家庭与设备",
|
||||
"description": "## 使用介绍\r\n### 控制模式\r\n- 自动:本地局域网内存在可用的小米中枢网关时, Home Assistant 会优先通过中枢网关发送设备控制指令,以实现本地化控制功能。本地局域网不存在中枢时,会尝试通过小米OT协议发送控制指令,以实现本地化控制功能。只有当上述本地化控制条件不满足时,设备控制指令才会通过云端发送。\r\n- 云端:控制指令仅通过云端发送。\r\n### 导入设备的家庭\r\n集成将添加已选中家庭中的设备。\r\n \r\n### {nick_name} 您好!请选择集成控制模式以及您想要添加的设备所处的家庭。",
|
||||
"description": "## 使用介绍\r\n### 导入设备的家庭\r\n集成将添加已选中家庭中的设备。\r\n### 筛选设备\r\n支持按照家庭房间名称、设备接入类型、设备型号筛选设备,同时也支持设备维度筛选,已筛选出 **{local_count}** 个设备。\r\n### 控制模式\r\n- 自动:本地局域网内存在可用的小米中枢网关时, Home Assistant 会优先通过中枢网关发送设备控制指令,以实现本地化控制功能。本地局域网不存在中枢时,会尝试通过小米OT协议发送控制指令,以实现本地化控制功能。只有当上述本地化控制条件不满足时,设备控制指令才会通过云端发送。\r\n- 云端:控制指令仅通过云端发送。",
|
||||
"data": {
|
||||
"home_infos": "导入设备的家庭",
|
||||
"devices_filter": "筛选设备",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "筛选设备",
|
||||
"description": "## 使用介绍\r\n支持按照房间名称、设备接入类型、设备型号筛选设备,同时也支持设备维度筛选。\r\n- 统计优先级:排除优先级高于包含优先级,会先取包含项,然后再排除。\r\n- 筛选优先级:筛选设备>筛选设备型号>筛选设备接入类型>筛选家庭房间\r\n### 统计逻辑\r\n- 与逻辑:取所有同模式筛选项的交集。\r\n- 或逻辑:取所有同模式筛选项的并集。\r\n### 筛选模式\r\n- 排除:移除不需要的项。\r\n- 包含:包含需要的项。\r\n\r\n您也可以进入对应集成项【配置>更新设备列表】页面重新筛选。",
|
||||
"description": "## 使用介绍\r\n支持按照家庭房间名称、设备接入类型、设备型号筛选设备,同时也支持设备维度筛选,筛选逻辑如下:\r\n- 会先根据统计逻辑获取所有包含项的并集或者交集,然后再获取排除项的交集或者并集,最后将【包含汇总结果】减去【排除汇总结果】得到【筛选结果】\r\n- 如未选择包含项,表示包含全部。\r\n### 筛选模式\r\n- 排除:移除不需要的项。\r\n- 包含:包含需要的项。\r\n### 统计逻辑\r\n- 与逻辑:取所有同模式筛选项的交集。\r\n- 或逻辑:取所有同模式筛选项的并集。\r\n\r\n您也可以进入集成项的【配置>更新设备列表】页面,勾选【筛选设备】重新筛选。",
|
||||
"data": {
|
||||
"statistics_logic": "统计逻辑",
|
||||
"room_filter_mode": "筛选家庭房间",
|
||||
"room_list": "家庭房间",
|
||||
"type_filter_mode": "筛选设备接入类型",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "筛选设备型号",
|
||||
"model_list": "设备型号",
|
||||
"devices_filter_mode": "筛选设备",
|
||||
"device_list": "设备列表"
|
||||
"device_list": "设备列表",
|
||||
"statistics_logic": "统计逻辑"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -38,14 +38,14 @@
|
||||
"devices_filter": "篩選設備",
|
||||
"ctrl_mode": "控制模式",
|
||||
"action_debug": "Action 調試模式",
|
||||
"hide_non_standard_entities": "隱藏非標準生成實體"
|
||||
"hide_non_standard_entities": "隱藏非標準生成實體",
|
||||
"display_devices_changed_notify": "顯示設備狀態變化通知"
|
||||
}
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "篩選設備",
|
||||
"description": "## 使用介紹\r\n- 支持按照房間名稱和設備類型篩選設備,同時也支持設備維度篩選。\r\n- 您也可以進入對應集成項【配置>更新設備列表】頁面重新篩選。",
|
||||
"description": "## 使用介紹\r\n支持按照家庭房間名稱、設備接入類型、設備型號篩選設備,同時也支持設備維度篩選,篩選邏輯如下:\r\n- 會先根據統計邏輯獲取所有包含項的並集或者交集,然後再獲取排除項的交集或者並集,最後將【包含匯總結果】減去【排除匯總結果】得到【篩選結果】\r\n- 如未選擇包含項,表示包含全部。\r\n### 篩選模式\r\n- 排除:移除不需要的項。\r\n- 包含:包含需要的項。\r\n### 統計邏輯\r\n- 與邏輯:取所有同模式篩選項的交集。\r\n- 或邏輯:取所有同模式篩選項的並集。\r\n\r\n您也可以進入集成項的【配置>更新設備列表】頁面,勾選【篩選設備】重新篩選。",
|
||||
"data": {
|
||||
"statistics_logic": "統計邏輯",
|
||||
"room_filter_mode": "篩選家庭房間",
|
||||
"room_list": "家庭房間",
|
||||
"type_filter_mode": "篩選設備接入類型",
|
||||
@ -53,7 +53,8 @@
|
||||
"model_filter_mode": "篩選設備型號",
|
||||
"model_list": "設備型號",
|
||||
"devices_filter_mode": "篩選設備",
|
||||
"device_list": "設備列表"
|
||||
"device_list": "設備列表",
|
||||
"statistics_logic": "統計邏輯"
|
||||
}
|
||||
}
|
||||
},
|
||||
@ -99,6 +100,7 @@
|
||||
"update_devices": "更新設備列表",
|
||||
"action_debug": "Action 調試模式",
|
||||
"hide_non_standard_entities": "隱藏非標準生成實體",
|
||||
"display_devices_changed_notify": "顯示設備狀態變化通知",
|
||||
"update_trans_rules": "更新實體轉換規則",
|
||||
"update_lan_ctrl_config": "更新局域網控制配置"
|
||||
}
|
||||
@ -112,7 +114,7 @@
|
||||
},
|
||||
"homes_select": {
|
||||
"title": "重新選擇家庭與設備",
|
||||
"description": "\r\n## 使用介紹\r\n### 控制模式\r\n- 自動:本地局域網內存在可用的小米中樞網關時, Home Assistant 會優先通過中樞網關發送設備控制指令,以實現本地化控制功能。只有當本地化控制條件不滿足時,設備控制指令才會通過雲端發送。\r\n- 雲端:控制指令強制通過雲端發送。\r\n### 導入設備的家庭\r\n集成將添加已選中家庭中的設備。\r\n \r\n### {nick_name} 您好!請選擇集成控制模式以及您想要添加的設備所處的家庭。",
|
||||
"description": "## 使用介紹\r\n### 導入設備的家庭\r\n集成將添加已選中家庭中的設備。\r\n### 篩選設備\r\n支持按照家庭房間名稱、設備接入類型、設備型號篩選設備,同時也支持設備維度篩選,已篩選出 **{local_count}** 個設備。\r\n### 控制模式\r\n- 自動:本地局域網內存在可用的小米中樞網關時, Home Assistant 會優先通過中樞網關發送設備控制指令,以實現本地化控制功能。只有當本地化控制條件不滿足時,設備控制指令才會通過雲端發送。\r\n- 雲端:控制指令強制通過雲端發送。",
|
||||
"data": {
|
||||
"home_infos": "導入設備的家庭",
|
||||
"devices_filter": "篩選設備",
|
||||
@ -121,9 +123,8 @@
|
||||
},
|
||||
"devices_filter": {
|
||||
"title": "篩選設備",
|
||||
"description": "## 使用介紹\r\n- 支持按照房間名稱和設備類型篩選設備,同時也支持設備維度篩選。\r\n- 您也可以進入對應集成項【配置>更新設備列表】頁面重新篩選。",
|
||||
"description": "## 使用介紹\r\n支持按照家庭房間名稱、設備接入類型、設備型號篩選設備,同時也支持設備維度篩選,篩選邏輯如下:\r\n- 會先根據統計邏輯獲取所有包含項的並集或者交集,然後再獲取排除項的交集或者並集,最後將【包含匯總結果】減去【排除匯總結果】得到【篩選結果】\r\n- 如未選擇包含項,表示包含全部。\r\n### 篩選模式\r\n- 排除:移除不需要的項。\r\n- 包含:包含需要的項。\r\n### 統計邏輯\r\n- 與邏輯:取所有同模式篩選項的交集。\r\n- 或邏輯:取所有同模式篩選項的並集。\r\n\r\n您也可以進入集成項的【配置>更新設備列表】頁面,勾選【篩選設備】重新篩選。",
|
||||
"data": {
|
||||
"statistics_logic": "統計邏輯",
|
||||
"room_filter_mode": "篩選家庭房間",
|
||||
"room_list": "家庭房間",
|
||||
"type_filter_mode": "篩選設備接入類型",
|
||||
@ -131,7 +132,8 @@
|
||||
"model_filter_mode": "篩選設備型號",
|
||||
"model_list": "設備型號",
|
||||
"devices_filter_mode": "篩選設備",
|
||||
"device_list": "設備列表"
|
||||
"device_list": "設備列表",
|
||||
"statistics_logic": "統計邏輯"
|
||||
}
|
||||
},
|
||||
"update_trans_rules": {
|
||||
|
||||
@ -32,7 +32,7 @@ git checkout v1.0.0
|
||||
|
||||
### 方法 2: [HACS](https://hacs.xyz/)
|
||||
|
||||
HACS > Overflow Menu > Custom repositories > Repository: https://github.com/XiaoMi/ha_xiaomi_home.git & Category: Integration > ADD
|
||||
HACS > 右上角三个点 > Custom repositories > Repository: https://github.com/XiaoMi/ha_xiaomi_home.git & Category: Integration > ADD > 点击 HACS 的 New 或 Available for download 分类下的 Xiaomi Home ,进入集成详情页 > DOWNLOAD
|
||||
|
||||
> 米家集成暂未添加到 HACS 商店,敬请期待。
|
||||
|
||||
@ -76,6 +76,8 @@ HACS > Overflow Menu > Custom repositories > Repository: https://github.com/Xiao
|
||||
|
||||
米家集成及其使用的云端接口由小米官方提供。您需要使用小米账号登录以获取设备列表。米家集成使用 OAuth 2.0 的登录方式,不会在 Home Assistant 中保存您的小米账号密码。但由于 Home Assistant 平台的限制,登录成功后,您的小米用户信息(包括设备信息、证书、 token 等)会明文保存在 Home Assistant 的配置文件中。因此,您需要保管好自己 Home Assistant 配置文件。一旦该文件泄露,其他人可能会冒用您的身份登录。
|
||||
|
||||
> 如果您怀疑您的 OAuth 2.0 令牌已泄露,您可以通过以下步骤取消小米账号的登录授权: 米家 APP -> 我的 -> 点击用户名进入小米账号页面 -> 应用授权 -> Xiaomi Home (Home Assistant Integration) -> 取消授权
|
||||
|
||||
## 常见问题
|
||||
|
||||
- 米家集成是否支持所有的小米米家设备?
|
||||
|
||||
Loading…
Reference in New Issue
Block a user