diff --git a/CHANGELOG.md b/CHANGELOG.md index 8ebfdbf..4cee7c1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# 4.0.2 +## @hakit/components +- BUGFIX - All cards using `modalProps` previously will spread the values first, and then provide internal defaults, making it impossible to overwrite values for the modal in some cases, additionally the MediaPlayerCard modal props were never spread through to the modal [discussion](https://github.com/shannonhochkins/ha-component-kit/discussions/159) + +## @hakit/core +- NEW - useTemplate - a new hook to subscribe to changes for a custom template, processed exactly the same way that home assistant does when providing templates to yaml code +- NEW - LOCALES - locales updated based on home assistant updates. [issue](https://github.com/shannonhochkins/ha-component-kit/issues/158) + # 4.0.0 ## @hakit/components - NEW - [AlarmCard](https://shannonhochkins.github.io/ha-component-kit/?path=/docs/components-cards-alarmcard--docs) - A new card to interact with alarm entities, this has a custom popup with keypad control and automate `features` added to the code when a `defaultCode` is present. [issue](https://github.com/shannonhochkins/ha-component-kit/issues/148) diff --git a/hakit/config.json b/hakit/config.json index 245e1ba..0fddcbd 100644 --- a/hakit/config.json +++ b/hakit/config.json @@ -1,6 +1,6 @@ { "name": "Hakit", - "version": "1.0.33", + "version": "1.0.34", "slug": "hakit", "init": false, "ingress": true, diff --git a/hakit/server/routes/run-application.ts b/hakit/server/routes/run-application.ts index e86c8ef..10826dc 100644 --- a/hakit/server/routes/run-application.ts +++ b/hakit/server/routes/run-application.ts @@ -105,13 +105,13 @@ export async function runApplication(app: Express) { try { if (!nextJsBuilt) { const installDependencies = `cd ${join(APP_DIRECTORY, 'app')} && npm ci`; - // const buildNextApp = `cd ${join(APP_DIRECTORY, 'app')} && SKIP_LINTING=true SKIP_TYPE_CHECKING=true npm run build`; + const buildNextApp = `cd ${join(APP_DIRECTORY, 'app')} && SKIP_LINTING=true SKIP_TYPE_CHECKING=true npm run build`; try { console.log('Installing dependencies'); execSync(installDependencies, { stdio: 'inherit' }); - // console.log('Building Next.js application'); - // execSync(buildNextApp, { stdio: 'inherit' }); + console.log('Building Next.js application'); + execSync(buildNextApp, { stdio: 'inherit' }); console.log('Next.js application built successfully'); } catch (error) { console.error('Error building Next.js application:', translateError(error)); diff --git a/hass-connect-fake/index.tsx b/hass-connect-fake/index.tsx index 7c78278..e3505d9 100644 --- a/hass-connect-fake/index.tsx +++ b/hass-connect-fake/index.tsx @@ -104,6 +104,8 @@ class MockWebSocket { close() {} } +let renderTemplatePrevious = 'on'; + class MockConnection extends Connection { private _mockListeners: { [event: string]: ((data: any) => void)[] }; private _mockResponses: { @@ -174,6 +176,16 @@ class MockConnection extends Connection { if (params.forecast_type === 'hourly') { callback(hourlyForecast as Result); } + } else if (params && params.type === 'render_template') { + if (renderTemplatePrevious === 'on') { + callback({ + result: 'The entity is on!!' + } as Result); + } else { + callback({ + result: 'The entity is not on!!' + } as Result); + } } else { callback(mockHistory as Result); } @@ -237,6 +249,10 @@ const useStore = create((set) => ({ ...newEntities[entityId], }; }); + // used to mock out the render_template service + if (state.entities['light.fake_light_1']) { + renderTemplatePrevious = state.entities['light.fake_light_1'].state; + } if (!state.ready) { return { ready: true, diff --git a/hass-connect-fake/mocks/mockConnection.tsx b/hass-connect-fake/mocks/mockConnection.tsx index 9ab3f01..e502599 100644 --- a/hass-connect-fake/mocks/mockConnection.tsx +++ b/hass-connect-fake/mocks/mockConnection.tsx @@ -40,7 +40,7 @@ export const mocked = { }, subscribeEntities: jest.fn().mockImplementation((_: null, subScribeFn: (entities: HassEntities) => void) => { subScribeFn(ENTITIES); - }) + }), } jest.mock('home-assistant-js-websocket', () => mocked); diff --git a/package-lock.json b/package-lock.json index f10806f..7893726 100644 --- a/package-lock.json +++ b/package-lock.json @@ -27224,7 +27224,7 @@ }, "packages/components": { "name": "@hakit/components", - "version": "4.0.0", + "version": "4.0.1", "license": "SEE LICENSE IN LICENSE.md", "devDependencies": { "@types/leaflet": "^1.9.12", @@ -27242,7 +27242,7 @@ "@emotion/react": ">=10.x", "@emotion/styled": ">=10.x", "@fullcalendar/react": ">=6.x.x", - "@hakit/core": "^4.0.0", + "@hakit/core": "^4.0.1", "@use-gesture/react": ">=10.x", "autolinker": ">=4.x", "framer-motion": ">=10.x", @@ -27264,7 +27264,7 @@ }, "packages/core": { "name": "@hakit/core", - "version": "4.0.0", + "version": "4.0.1", "license": "SEE LICENSE IN LICENSE.md", "bin": { "hakit-sync-types": "dist/sync/cli/cli.js" diff --git a/packages/components/package.json b/packages/components/package.json index 2b333ca..de58dc6 100644 --- a/packages/components/package.json +++ b/packages/components/package.json @@ -1,7 +1,7 @@ { "name": "@hakit/components", "type": "module", - "version": "4.0.1", + "version": "4.0.2", "private": false, "keywords": [ "react", @@ -69,7 +69,7 @@ "@emotion/react": ">=10.x", "@emotion/styled": ">=10.x", "@fullcalendar/react": ">=6.x.x", - "@hakit/core": "^4.0.1", + "@hakit/core": "^4.0.2", "@use-gesture/react": ">=10.x", "autolinker": ">=4.x", "framer-motion": ">=10.x", diff --git a/packages/components/src/Cards/ClimateCard/index.tsx b/packages/components/src/Cards/ClimateCard/index.tsx index 548ca3b..1d73708 100644 --- a/packages/components/src/Cards/ClimateCard/index.tsx +++ b/packages/components/src/Cards/ClimateCard/index.tsx @@ -143,11 +143,11 @@ function _ClimateCard({ serviceData={serviceData} layoutType={layoutType} modalProps={{ - ...modalProps, hvacModes: havacModesToUse, hideCurrentTemperature, hideHvacModes, hvacModeLabels, + ...modalProps, }} onClick={() => { if (isUnavailable || disabled || typeof onClick !== "function") return; diff --git a/packages/components/src/Cards/FamilyCard/PersonCard/index.tsx b/packages/components/src/Cards/FamilyCard/PersonCard/index.tsx index 78c0470..d93059b 100644 --- a/packages/components/src/Cards/FamilyCard/PersonCard/index.tsx +++ b/packages/components/src/Cards/FamilyCard/PersonCard/index.tsx @@ -166,8 +166,8 @@ function _PersonCard({ ${cssStyles ?? ""} `} modalProps={{ - ...modalProps, stateTitle: stateText, + ...modalProps, }} {...rest} > diff --git a/packages/components/src/Cards/MediaPlayerCard/index.tsx b/packages/components/src/Cards/MediaPlayerCard/index.tsx index b12beba..38781e3 100644 --- a/packages/components/src/Cards/MediaPlayerCard/index.tsx +++ b/packages/components/src/Cards/MediaPlayerCard/index.tsx @@ -156,6 +156,7 @@ function _MediaPlayerCard({ className, cssStyles, key, + modalProps, ...rest }: MediaPlayerCardProps) { const entity = useEntity(_entity); @@ -307,6 +308,7 @@ function _MediaPlayerCard({ groupedEntities, allEntityIds, onClose: () => setIsGroupingModalOpen(false), + ...modalProps, }} entity={_entity} // @ts-expect-error - don't know the entity name, so we can't know the service type diff --git a/packages/components/src/Cards/VacuumCard/index.tsx b/packages/components/src/Cards/VacuumCard/index.tsx index ebcdc4c..9ab2f1f 100644 --- a/packages/components/src/Cards/VacuumCard/index.tsx +++ b/packages/components/src/Cards/VacuumCard/index.tsx @@ -68,7 +68,6 @@ function _VacuumCard({ > = {}; const locales = [ { code: "af", - hash: "0792e331b6135a701fa8b7f18937de48", + hash: "a074a0938c092cda59a6fc73f21e95a9", name: "Afrikaans", }, { code: "ar", - hash: "af2638f11d93e94a7eaf87624d717230", + hash: "6064f9401b308d26981ba1a57f1f3bf8", name: "العربية", }, { code: "bg", - hash: "8a7ce18d95633d56b9c2610a2990424d", + hash: "19a1e94288e02922043226a3a0660aed", name: "Български", }, { code: "bn", - hash: "a2a0e6f87e0f94e7585bc23b1afb7893", + hash: "4f39bcc822e4b54641a7623b0611414c", name: "বাংলা", }, { code: "bs", - hash: "5c7b840f1102384a771bf241781cffe2", + hash: "ed715c96d81c4585f286dabad3656758", name: "Bosanski", }, { code: "ca", - hash: "7e45cdde924e930254ff78d84719e98b", + hash: "186a693b3934f7956e02fc086483ba49", name: "Català", }, { code: "cs", - hash: "49d6458dc8b585689f1d423b7211f897", + hash: "b58cadae608443c7123cf2a4355467d9", name: "Čeština", }, { code: "cy", - hash: "e35b78e32e3196aeecf3b159cc09db42", + hash: "cd3d439a780a062077627a42e2c8e583", name: "Cymraeg", }, { code: "da", - hash: "b83f3e7275a5c91b85c52fcf33a01d01", + hash: "63ee4a98eab18fe54531ad22d0c8861a", name: "Dansk", }, { code: "de", - hash: "49de01887a219224624f6a9a237e1cd1", + hash: "2d62ab789e6427dafb537562460dc73d", name: "Deutsch", }, { code: "el", - hash: "477891ec6ee36b27c17d84970320e02f", + hash: "9bbab1731d69c413960851491156181b", name: "Ελληνικά", }, { code: "en", - hash: "c907c791db816c05eb6bad244e22784a", + hash: "95064f7ae9f42a00010e8bfd09468fb4", name: "English", }, { code: "en-GB", - hash: "874dcfe33e839edb64350b6950fe7f2b", + hash: "c3bffc1c359bdf0c6d05d1bdee6eece5", name: "English (GB)", }, { code: "eo", - hash: "f051a53eea691bd87ea45e15487d505e", + hash: "964e1115bad89fc8a2d2ad9b23e310a2", name: "Esperanto", }, { code: "es", - hash: "d268177ae719f51dcb362387a6c8f6bd", + hash: "a75c0ddf3b745e1240b04eabf3ba6ef3", name: "Español", }, { code: "es-419", - hash: "8a384d372f0e4ffbaa4dee80672baf92", + hash: "8660afdce756ccf452cf7f5e66aa252d", name: "Español (Latin America)", }, { code: "et", - hash: "c0fbdcb629a4acf3fc602bec9e573bc2", + hash: "58e69567d85d3a6e7db6e31e9d6c85f9", name: "Eesti", }, { code: "eu", - hash: "7c3cc7a7871e6ce3e79a2a6c5f1a9327", + hash: "f24de45e30a9b279601165c391fae04c", name: "Euskara", }, { code: "fa", - hash: "1342c1497a9f4707eb1a2a8407e33c97", + hash: "84600d106d92aabe759f6455c3211305", name: "فارسی", }, { code: "fi", - hash: "6d2ccf1d65005c2a6fc0efc2a3fed958", + hash: "494e848f1086ce284a5629d4c810858d", name: "Suomi", }, { code: "fy", - hash: "3747a85be97afcb1c2a9d4a611631ff5", + hash: "24a96e045a7220eaf862e3ccc86eb7af", name: "Frysk", }, { code: "fr", - hash: "25b6adcce919e7111716e3da69a5ff25", + hash: "d9494585df2d4d854617148fc49f5088", name: "Français", }, { code: "gl", - hash: "c329c9bf10e0fd36efec915b78b7fb7b", + hash: "ed5f5e2a6e3b9a5bdfcbeae13f736dd7", name: "Galego", }, { code: "gsw", - hash: "c50bf28ee4ef6a51dcd3c437d797135b", + hash: "c09b19b6034823960af65ab67794776f", name: "Schwiizerdütsch", }, { code: "he", - hash: "92c904d900436819e690649eb5d37879", + hash: "2d4d3d998dac40eb7528bb3d8dbe27f9", name: "עברית", }, { code: "hi", - hash: "741e89301e06fcb3bbf2ceecbd66ec5d", + hash: "0eb31cc243e967c00947ebeb6278df41", name: "हिन्दी", }, { code: "hr", - hash: "0417c84e82746af38f2a469a91a7ba0e", + hash: "b57eb5c50019856e323fe6fa2aacf757", name: "Hrvatski", }, { code: "hu", - hash: "dd9d7fd48bf5e549e0156ff9cd88c715", + hash: "08a5aa43ebc8ae18d2a2e870a8cfdc98", name: "Magyar", }, { code: "hy", - hash: "92e56eb6e8e7878293e02fece0c7c554", + hash: "93f4400d24d139b06c6e623067bae870", name: "Հայերեն", }, { code: "id", - hash: "ea531dd2681709350b78eeef15750d39", + hash: "d621f6b11f96c01e6fcd9f7317760303", name: "Indonesia", }, { code: "it", - hash: "32a35caddbecd3b3a005d00a7bdd6870", + hash: "0407597fd3ea49f68a720fdc09a95f3a", name: "Italiano", }, { code: "is", - hash: "084b098c190cecfdfcfc64d13ebde18d", + hash: "8f20aad0f36ad8d5031f11892476197a", name: "Íslenska", }, { code: "ja", - hash: "f777af132620ddcd71eac67a7aa0680a", + hash: "31150fa6a27044340c754c5f5dea47ba", name: "日本語", }, { code: "ka", - hash: "155fcdb3a066fe4177f8b5fa0f905b96", + hash: "fb7c7745824c6766f679036933637118", name: "Kartuli", }, { code: "ko", - hash: "280119e527d0d1d59757abb0d8ee8feb", + hash: "7972e58304861e6ca53714ee70c7df0c", name: "한국어", }, { code: "lb", - hash: "a1b847345ba316a362627a1f6cfe18b6", + hash: "55d0fd983b5e3bf8e0e04b1d931da857", name: "Lëtzebuergesch", }, { code: "lt", - hash: "5932f910723d2f394e336293e7078e4f", + hash: "6d1543e47e639a188d57b26cebb0965b", name: "Lietuvių", }, { code: "lv", - hash: "1236c912d12c4c9c621eaa7ad666ec3c", + hash: "419b16f3da8e826b44d0d9eb4de7bced", name: "Latviešu", }, + { + code: "mk", + hash: "95064f7ae9f42a00010e8bfd09468fb4", + name: "Македонски", + }, { code: "ml", - hash: "7f24f27201b51ccc7bd5bcabeda0cb13", + hash: "1bea7c9f6bd27745452a4977e1be3556", name: "മലയാളം", }, { code: "nl", - hash: "eaee2987947ad283e2f3feb0a2041080", + hash: "ab4e3c5e449b35ac2a71112774f3b4e6", name: "Nederlands", }, { code: "nb", - hash: "7314a4c02c487eff1e472af0c96db5fd", + hash: "8d61daeefda981602a592981aa801bbf", name: "Norsk Bokmål", }, { code: "nn", - hash: "bdb34f3efd62d0aa0a1544dbdc2ddad3", + hash: "c03b4e4ff00836f18ef4284d32630f0e", name: "Norsk Nynorsk", }, { code: "pl", - hash: "67495311fd76a6412390b04469412df3", + hash: "57bb657554609a7c14c4a3834e0f6e35", name: "Polski", }, { code: "pt", - hash: "1912d2d28eff5f92c6b29ac09ef4b2c0", + hash: "f5137ab61c603f7ec68c4582c25b47a7", name: "Português", }, { code: "pt-BR", - hash: "940a6d5af25fa8f4a5904c173217a9d7", + hash: "bd64dca3a2ef220021a1b021271de4f9", name: "Português (BR)", }, { code: "ro", - hash: "71f9b11383520ef707796acb04286c21", + hash: "7c683ab6d8ba336a092cc8f1beea30e1", name: "Română", }, { code: "ru", - hash: "7cc96168e0896bc2aaa648e063063228", + hash: "a566416bd090211a292b14bda7ada829", name: "Русский", }, { code: "sk", - hash: "e0aa430c7cbe0ba743bf2d386c8523f2", + hash: "4cdf141600cc44bd71d577f1248ec1ea", name: "Slovenčina", }, { code: "sl", - hash: "50fd9b621d0f37fdc77f850a8ab0a247", + hash: "d31ca95fd1a733b17ff795a9894e5652", name: "Slovenščina", }, { code: "sr", - hash: "caf31084992f26a0657d034272e652db", + hash: "8d3036c8415fba0f64e42e4b40419223", name: "Српски", }, { code: "sr-Latn", - hash: "be7e93a76289648789b32f8c56b466ca", + hash: "4f37e170249bc6c27d46ca40000d24eb", name: "Srpski", }, { code: "sv", - hash: "dc21361789a2c5dd18b45f48bc7224fb", + hash: "4662278c16ed0c98bb6517a416a514da", name: "Svenska", }, { code: "ta", - hash: "811acb8e9bc386fe4b201f315c192ce8", + hash: "368a7bf19eb7f840fff313c81bc92455", name: "தமிழ்", }, { code: "te", - hash: "1ad6c7ff5ce989d7fa42528e5e4857a9", + hash: "745ecc005aeeb4c84b8c6645507f7594", name: "తెలుగు", }, { code: "th", - hash: "7d05c389e992b506ea3631c6dddd88bd", + hash: "755d1aabd2b7e95ac96600043eaba2e5", name: "ภาษาไทย", }, { code: "tr", - hash: "1fca741e661f0ba502fe9605beeef2dc", + hash: "755ff0da53f1eebd3c18f061fdde6c5e", name: "Türkçe", }, { code: "uk", - hash: "07d55bc276e77ab49b30fe9d8596f621", + hash: "cf00e49fe7904be60d140c7bc249550a", name: "Українська", }, { code: "ur", - hash: "3190242b98238a2784fc59b8aadf6708", + hash: "5f9a3d288826a1183cb2c9cd04178f69", name: "اُردُو", }, { code: "vi", - hash: "7c157b1fc4d8266d873fbe61223f1fa9", + hash: "ee08a5aff987cc20bf3772f6c40cf4df", name: "Tiếng Việt", }, { code: "zh-Hans", - hash: "f6eaf27e43ec124bf43cba92c1be3c78", + hash: "6bcd5dbf056afaf380466d169cc9282a", name: "简体中文", }, { code: "zh-Hant", - hash: "30cec5a1f38a92f635fdefa2b78cf5ae", + hash: "058a0cb8fe0b66030a9bf10fecd49aab", name: "繁體中文", }, ] satisfies Array<{ diff --git a/packages/core/src/hooks/useLocale/locales/is/is.json b/packages/core/src/hooks/useLocale/locales/is/is.json index 752d9b4..0573db8 100644 --- a/packages/core/src/hooks/useLocale/locales/is/is.json +++ b/packages/core/src/hooks/useLocale/locales/is/is.json @@ -7,7 +7,7 @@ "logbook": "Logbook", "history": "History", "mailbox": "Pósthólf", - "to_do_lists": "To-do lists", + "to_do_lists": "Verkefnalistar", "developer_tools": "Þróunarverkfæri", "media": "Efni", "profile": "Profile", @@ -107,7 +107,8 @@ "open": "Open", "open_door": "Open door", "really_open": "Virkilega opna?", - "door_open": "Hurð opin", + "done": "Done", + "ui_card_lock_open_door_success": "Hurð opin", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Skoða efni", @@ -139,7 +140,7 @@ "option": "Option", "installing": "Uppsetning", "installing_progress": "Uppsetning ( {progress} %)", - "up_to_date": "Er uppfært", + "up_to_date": "Up-to-date", "empty_value": "(tómt gildi)", "start": "Start", "finish": "Finish", @@ -186,6 +187,7 @@ "loading": "Hleð…", "refresh": "Endurnýja", "delete": "Delete", + "delete_all": "Eyða öllu", "download": "Download", "duplicate": "Afrita spjald", "remove": "Remove", @@ -206,8 +208,8 @@ "rename": "Endurnefna", "search": "Search", "ok": "Í lagi", - "yes": "Já", - "no": "Nei", + "yes": "Yes", + "no": "No", "not_now": "Ekki núna", "skip": "Sleppa", "menu": "Valmynd", @@ -228,6 +230,9 @@ "media_content_type": "Media content type", "upload_failed": "Innsending mistókst", "unknown_file": "Óþekkt skrá", + "select_image": "Veldu mynd", + "upload_picture": "Senda inn mynd", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -241,6 +246,7 @@ "date_and_time": "Dagsetning og tími", "duration": "Duration", "entity": "Entity", + "floor": "Hæð", "icon": "Icon", "location": "Location", "number": "Númer", @@ -279,6 +285,7 @@ "was_opened": "var opnaður", "was_closed": "var lokað", "is_opening": "er að opnast", + "is_opened": "is opened", "is_closing": "er að lokast", "was_unlocked": "var aflæst", "was_locked": "var læst", @@ -308,7 +315,7 @@ "create_a_new_entity": "Búa til nýja einingu", "show_attributes": "Sýna eiginleika", "expand": "Stækka", - "target_picker_expand_floor_id": "Split this floor into separate areas.", + "target_picker_expand_floor_id": "Skipta þessari hæð upp í aðgreind svæði.", "target_picker_expand_device_id": "Skipta þessu tæki upp í aðskildar einingar.", "remove_floor": "Fjarlægja hæð", "remove_area": "Fjarlægja svæði", @@ -328,10 +335,13 @@ "sort_by_sortcolumn": "Raða eftir {sortColumn}", "group_by_groupcolumn": "Hópa eftir {groupColumn}", "don_t_group": "Ekki hópa", + "collapse_all": "Fella allt saman", + "expand_all": "Fletta út öllu", "selected_selected": "{selected} valið", "close_selection_mode": "Loka valham", "select_all": "Velja allt", "select_none": "Velja ekkert", + "customize_table": "Sérsníða töflu", "conversation_agent": "Conversation agent", "none": "Ekkert", "country": "Country", @@ -341,7 +351,7 @@ "no_theme": "Ekkert þema", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Rödd", "no_user": "Enginn notandi", "add_user": "Bæta við notanda", @@ -380,20 +390,19 @@ "ui_components_area_picker_add_dialog_text": "Sláðu inn nafn nýja svæðisins.", "ui_components_area_picker_add_dialog_title": "Bæta við nýju svæði", "show_floors": "Sýna hæðir", - "floor": "Hæð", - "add_new_floor_name": "Add new floor ''{name}''", - "add_new_floor": "Add new floor…", - "floor_picker_no_floors": "You don't have any floors", - "no_matching_floors_found": "No matching floors found", + "add_new_floor_name": "Bæta við nýrri hæð ''{name}''", + "add_new_floor": "Bæta við nýrri hæð...", + "floor_picker_no_floors": "Þú ert ekki með neinar hæðir", + "no_matching_floors_found": "Engar samsvarandi hæðir fundust", "failed_to_create_floor": "Mistókst að útbúa hæð.", "ui_components_floor_picker_add_dialog_name": "Heiti", + "ui_components_floor_picker_add_dialog_text": "Settu inn heiti nýju hæðarinnar.", "ui_components_floor_picker_add_dialog_title": "Bæta við nýrri hæð", - "areas": "Areas", - "no_areas": "No areas", - "area_filter_area_count": "{count} {count, plural,\n one {area}\n other {areas}\n}", - "all_areas": "All areas", - "show_area": "Show {area}", - "hide_area": "Hide {area}", + "no_areas": "Engin svæði", + "area_filter_area_count": "{count} {count, plural,\n one {svæði}\n other {svæði}\n}", + "all_areas": "Öll svæði", + "show_area": "Birta {area}", + "hide_area": "Fela {area}", "statistic": "Tölfræði", "statistic_picker_no_statistics": "You don't have any statistics", "no_matching_statistics_found": "No matching statistics found", @@ -459,6 +468,9 @@ "last_month": "Síðasti mánaður", "this_year": "Þetta ár", "last_year": "Síðasta ár", + "reset_to_default_size": "Endurstilla á sjálfgefna stærð", + "number_of_columns": "Fjöldi dálka", + "number_of_rows": "Fjöldi raða", "never": "Aldrei", "history_integration_disabled": "History integration disabled", "loading_state_history": "Hleð stöðusögu…", @@ -466,7 +478,7 @@ "unable_to_load_history": "Unable to load history", "source_history": "Source: History", "source_long_term_statistics": "Source: Long term statistics", - "unable_to_load_map": "Unable to load map", + "unable_to_load_map": "Ekki tókst að hlaða inn korti", "loading_statistics": "Hleð tölfræði…", "no_statistics_found": "Engin tölfræði fannst.", "min": "Lágmark", @@ -490,6 +502,10 @@ "filtering_by": "Sía eftir", "number_hidden": "{number} falið", "ungrouped": "Ekki hópað", + "customize": "Sérsníða", + "hide_column_title": "Fela dálk {title}", + "show_column_title": "Sýna dálk {title}", + "restore_defaults": "Endurheimta sjálfgefnar stillingar", "message": "Message", "gender": "Kyn", "male": "Karlkyns", @@ -499,7 +515,7 @@ "tts_faild_to_store_defaults": "Failed to store defaults: {error}", "pick": "Velja", "play_media": "Play media", - "no_items": "No items", + "no_items": "Engin atriði", "web_browser": "Vafri", "media_player": "Media player", "media_browsing_error": "Media browsing error", @@ -542,9 +558,9 @@ "task_name": "Task name", "description": "Description", "add_item": "Bæta við verkefni", - "delete_item": "Eyða verkefni", - "edit_item": "Edit item", - "save_item": "Save item", + "delete_item": "Eyða atriði", + "edit_item": "Breyta atriði", + "save_item": "Vista atriði", "due_date": "Due date", "item_not_all_required_fields": "Not all required fields are filled in", "confirm_delete_prompt": "Viltu eyða þessu atriði?", @@ -681,7 +697,7 @@ "manage_assistants": "Manage assistants", "the_documentation": "leiðbeiningarnar", "are_you_sure": "Ertu viss?", - "crop": "Crop", + "crop": "Utanskera", "picture_to_crop": "Picture to crop", "dismiss_dialog": "Dismiss dialog", "edit_entity": "Breyta einingu", @@ -737,7 +753,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Sýna nákvæmni", "default_value": "Sjálfgefið ({value})", @@ -792,9 +808,9 @@ "editor_device_disabled": "Tæki þessarar einingar er óvirkt.", "this_entity_is_disabled": "Þessi eining er óvirk.", "open_device_settings": "Opna stillingar tækis", - "use_device_area": "Use device area", + "use_device_area": "Nota svæði tækisins", "editor_change_device_settings": "You can {link} in the device settings", - "change_the_device_area": "change the device area", + "change_the_device_area": "breyta svæði tækisins", "integration_options": "{integration} options", "specific_options_for_integration": "Specific options for {integration}", "preload_camera_stream": "Preload camera stream", @@ -820,7 +836,7 @@ "restart_home_assistant": "Endurræsa Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Fljótleg endurhleðsla", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Truflar alla sjálfvirkni og skriftur sem eru í gangi.", @@ -882,7 +898,7 @@ "signature": "Undirskrift", "neighbors": "Nágrannar", "by_manufacturer": "eftir {manufacturer}", - "zigbee_device_signature": "Zigbee device signature", + "zigbee_device_signature": "Undirritun Zigbee-tækis", "zigbee_device_children": "Zigbee device children", "buttons_add": "Bæta við tækjum í gegnum þetta tæki", "reconfigure": "Endurstilla", @@ -994,7 +1010,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "Stillingar forrits", "sidebar_toggle": "Víxla hliðarstiku", - "done": "Done", "hide_panel": "Fela töflu", "show_panel": "Sýna töflu", "show_more_information": "Sýna meiri upplýsingar", @@ -1008,7 +1023,7 @@ "never_triggered": "Never triggered", "todo_list_no_unchecked_items": "Þú hefur engin verkefni!", "completed": "Completed", - "remove_completed_items": "Eyða öllum verkefnum sem er lokið?", + "remove_completed_items": "Eyða atriðum sem er lokið?", "reorder_items": "Endurraða verkefnum", "drag_and_drop": "Draga og sleppa", "hold": "Halda inni:", @@ -1057,9 +1072,9 @@ "previous_energy_usage": "Fyrri orkunotkun", "low_carbon_energy_consumed": "Græn orkunotkun", "carbon_consumed_gauge_low_carbon_energy_not_calculated": "Ekki er hægt að reikna notkun á grænni orku", - "unused_entities": "Unused entities", + "unused_entities": "Ónýttar einingar", "search_entities": "Leita í einingum", - "no_unused_entities_found": "No unused entities found", + "no_unused_entities_found": "Engar ónýttar einingar fundust", "saving_dashboard_configuration_failed": "Saving dashboard configuration failed.", "delete_view": "Eyða sýn", "views_delete_named_view_only": "''{name}'' view will be deleted.", @@ -1072,7 +1087,7 @@ "open_dashboard_menu": "Opna valmynd mælaborðs", "raw_configuration_editor": "Raw configuration editor", "manage_dashboards": "Stjórna mælaborðum", - "manage_resources": "Manage resources", + "manage_resources": "Stjórna auðlindum", "edit_configuration": "Breyta stillingum", "unsaved_changes": "Óvistaðar breytingar", "saved": "Vistað", @@ -1086,9 +1101,11 @@ "view_configuration": "Skoða stillingar", "name_view_configuration": "{name} View Configuration", "add_view": "Bæta við sýn", + "background_title": "Bæta bakgrunni við yfirlit", "edit_view": "Breyta sýn", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Bakgrunnur", "view_type": "Skoða gerð", "masonry_default": "Masonry (default)", "sidebar": "Hliðarstika", @@ -1096,7 +1113,7 @@ "sections_experimental": "Sections (experimental)", "subview": "Subview", "max_number_of_columns": "Hámarksfjöldi dálka", - "edit_in_visual_editor": "Breyta í viðmóti", + "edit_in_visual_editor": "Breyta í myndrænum ritli", "edit_in_yaml": "Breyta sem YAML", "saving_failed": "Saving failed", "card_configuration": "Stillingar spjalds", @@ -1117,6 +1134,9 @@ "increase_card_position": "Increase card position", "more_options": "Fleir valkostir", "search_cards": "Leita í spjöldum", + "config": "Stillingaskrá", + "layout": "Framsetning", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "Sýnileiki", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "Mælaborð", @@ -1132,8 +1152,7 @@ "delete_section_text_unnamed_section_only": "This section will be deleted.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} verður eytt.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Þessum hluta", - "edit_name": "Breyta heiti", - "add_name": "Bæta við heiti", + "edit_section": "Edit section", "suggest_card_header": "Hér er tillaga fyrir þig", "pick_different_card": "Velja annað spjald", "add_to_dashboard": "Bæta við í Lovelace viðmót", @@ -1314,7 +1333,7 @@ "humidifier_modes": "Humidifier modes", "customize_modes": "Customize modes", "select_options": "Select options", - "customize_options": "Customize options", + "customize_options": "Sérsníða valkosti", "numeric_input": "Numeric input", "water_heater_operation_modes": "Water heater operation modes", "operation_modes": "Operation modes", @@ -1323,14 +1342,15 @@ "backup": "Backup", "ask": "Spyrja", "backup_is_not_supported": "Backup is not supported.", - "hide_entities_without_area": "Hide entities without area", + "hide_entities_without_area": "Fela einingar án svæða", "hide_energy": "Fela orku", + "ui_panel_lovelace_editor_strategy_original_states_hidden_areas": "Falin svæði", "no_description_available": "Engin lýsing tiltæk.", "by_entity": "Eftir einingu", "by_card": "Eftir spjaldi", "header": "Haus", "footer": "Fótur", - "choose_a_type": "Choose a {type}", + "choose_a_type": "Veldu {type}", "graph": "Graf", "header_editor": "Header editor", "footer_editor": "Footer editor", @@ -1353,183 +1373,130 @@ "ui_panel_lovelace_editor_color_picker_colors_teal": "Blágrænt", "ui_panel_lovelace_editor_color_picker_colors_white": "Hvítt", "ui_panel_lovelace_editor_color_picker_colors_yellow": "Gult", + "ui_panel_lovelace_editor_edit_section_title_title": "Breyta heiti", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Bæta við heiti", "warning_attribute_not_found": "Attribute {attribute} not available in: {entity}", "entity_not_available_entity": "Eining ekki tiltæk: {entity}", "entity_is_non_numeric_entity": "Entity is non-numeric: {entity}", "warning_entity_unavailable": "{entity} er ekki tiltæk eins og er", "invalid_timestamp": "Ógildur tímastimpill", "invalid_display_format": "Invalid display format", + "now": "Núna", "compare_data": "Bera saman gögn", "reload_ui": "Endurhlaða Lovelace", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Samtal", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tags", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Loftslag", + "conversation": "Samtal", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Vifta", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Loftslag", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tags", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU prósent", - "disk_free": "Diskapláss laust", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Minni prósent", - "version": "Version", - "newest_version": "Nýjasta útgáfa", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Þungt", "mild": "Vægt", "button_down": "Button down", @@ -1546,19 +1513,53 @@ "not_completed": "Not completed", "pending": "Bíður", "checking": "Checking", - "closed": "Closed", + "closed": "Lokað", "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "connected": "Tengdur", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU prósent", + "disk_free": "Diskapláss laust", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Minni prósent", + "version": "Version", + "newest_version": "Nýjasta útgáfa", + "next_dawn": "Næsta birting", + "next_dusk": "Næsta myrkur", + "next_midnight": "Næsta miðnætti", + "next_noon": "Næsta hádegi", + "next_rising": "Næsta sólris", + "next_setting": "Næsta sólarlag", + "solar_elevation": "Sólarhæð", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "connected": "Tengdur", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", "screensaver_timer": "Screensaver timer", @@ -1573,33 +1574,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Næsta birting", - "next_dusk": "Næsta myrkur", - "next_midnight": "Næsta miðnætti", - "next_noon": "Næsta hádegi", - "next_rising": "Næsta sólris", - "next_setting": "Næsta sólarlag", - "solar_elevation": "Sólarhæð", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth merki", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Blautt", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1609,6 +1663,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1666,23 +1723,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1696,6 +1756,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi merki", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1704,6 +1765,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1711,81 +1773,88 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth merki", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Bílskúr", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Núverandi rakastig", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Miðja", - "top": "Top", - "current_action": "Núverandi aðgerð", - "cooling": "Kæling", - "drying": "Þurrkun", - "heating": "Kynding", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Svefn", - "presets": "Forstillingar", - "swing_mode": "Swing mode", - "both": "Bæði", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", - "buffering": "Buffering", - "playing": "Playing", + "not_charging": "Hleður ekki", + "disconnected": "Ótengdur", + "hot": "Heitt", + "no_light": "Ekkert ljós", + "light_detected": "Ljós fannst", + "locked": "Læstur", + "unlocked": "Ólæst", + "not_moving": "Engin hreyfing", + "unplugged": "Aftengdur", + "not_running": "Ekki í gangi", + "safe": "Öruggt", + "unsafe": "Óöruggt", + "tampering_detected": "Tampering detected", + "buffering": "Buffering", + "playing": "Playing", "standby": "Biðstaða", "app_id": "App ID", "local_accessible_entity_picture": "Local accessible entity picture", @@ -1804,77 +1873,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Læst", - "unlocked": "Ólæst", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Uppfærsla í boði", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Bílskúr", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Yfir sjóndeildarhring", + "below_horizon": "Undir sjóndeildarhring", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Á verði úti", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Á verði heima", @@ -1886,15 +1889,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Núverandi rakastig", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Miðja", + "top": "Top", + "current_action": "Núverandi aðgerð", + "cooling": "Kæling", + "drying": "Þurrkun", + "heating": "Kynding", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Svefn", + "presets": "Forstillingar", + "swing_mode": "Swing mode", + "both": "Bæði", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Heiðskírt, nótt", "cloudy": "Skýjað", "exceptional": "Exceptional", @@ -1917,61 +1978,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Yfir sjóndeildarhring", - "below_horizon": "Undir sjóndeildarhring", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Hleður ekki", - "detected": "Detected", - "disconnected": "Ótengdur", - "hot": "Heitt", - "no_light": "Ekkert ljós", - "light_detected": "Ljós fannst", - "wet": "Blautt", - "not_moving": "Engin hreyfing", - "unplugged": "Aftengdur", - "not_running": "Ekki í gangi", - "safe": "Öruggt", - "unsafe": "Óöruggt", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1987,39 +2068,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", - "unlock_the_device_optional": "Unlock the device (optional)", - "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2043,8 +2125,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2052,10 +2135,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2068,82 +2175,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2226,6 +2301,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2239,106 +2331,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} er heima", - "entity_name_is_not_home": "{entity_name} er ekki heima", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} er að hlaða biðminni", - "entity_name_is_idle": "{entity_name} er aðgerðalaus", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} er að spila", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Fyrsti hnappur", "second_button": "Annar hnappur", "third_button": "Þriðji hnappur", "fourth_button": "Fjórði hnappur", - "fifth_button": "Fimmti hnappur", - "sixth_button": "Sjötti hnappur", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2346,8 +2369,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2367,7 +2392,115 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} rafhlaðan er lítil", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} skynjaði kolmónoxið", + "entity_name_is_cold": "{entity_name} er kalt", + "entity_name_is_connected": "{entity_name} er tengdur", + "entity_name_is_detecting_gas": "{entity_name} skynjaði gas", + "entity_name_is_hot": "{entity_name} er heitt", + "entity_name_is_detecting_light": "{entity_name} skynjaði ljós", + "entity_name_is_locked": "{entity_name} er læst", + "entity_name_is_moist": "{entity_name} er rakt", + "entity_name_is_detecting_motion": "{entity_name} skynjaði hreyfingu", + "entity_name_is_moving": "{entity_name} er á hreyfingu", + "condition_type_is_no_co": "{entity_name} er ekki að skynja kolmónoxíð", + "condition_type_is_no_gas": "{entity_name} greinir ekki gas", + "condition_type_is_no_light": "{entity_name} greinir ekki ljós", + "condition_type_is_no_motion": "{entity_name} er ekki að skynja hreyfingu", + "condition_type_is_no_problem": "{entity_name} greinir ekki vandamál", + "condition_type_is_no_smoke": "{entity_name} er ekki að skynja reyk", + "condition_type_is_no_sound": "{entity_name} greinir ekki hljóð", + "entity_name_is_up_to_date": "{entity_name} er uppfært", + "condition_type_is_no_vibration": "{entity_name} greinir ekki titring", + "entity_name_battery_is_normal": "{entity_name} rafhlaða er eðlileg", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} er ekki kalt", + "entity_name_is_unplugged": "{entity_name} er aftengt", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} er ólæst", + "entity_name_is_dry": "{entity_name} er þurr", + "entity_name_is_not_moving": "{entity_name} hreyfist ekki", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_not_powered": "{entity_name} er ekki í gangi", + "entity_name_is_not_present": "{entity_name} er ekki til staðar", + "entity_name_is_not_running": "{entity_name} er ekki keyrandi", + "condition_type_is_not_tampered": "{entity_name} skynjaði ekki fikt", + "entity_name_is_safe": "{entity_name} er öruggt", + "entity_name_is_occupied": "{entity_name} er upptekið", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_powered": "{entity_name} er í gangi", + "entity_name_is_present": "{entity_name} er til staðar", + "entity_name_is_detecting_problem": "{entity_name} skynjaði vandamál", + "entity_name_is_running": "{entity_name} er keyrandi", + "entity_name_is_detecting_smoke": "{entity_name} skynjaði reyk", + "entity_name_is_detecting_sound": "{entity_name} skynjaði hljóð", + "entity_name_is_detecting_tampering": "{entity_name} skynjaði fikt", + "entity_name_is_unsafe": "{entity_name} er óöruggt", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} skynjaði titring", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} byrjaði að skynja gas", + "entity_name_became_hot": "{entity_name} varð heitt", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} byrjaði að skynja hreyfingu", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} hætti að skynja hreyfingu", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} varð ekki heitt", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} byrjaði að skynja vandamál", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} er að hlaða biðminni", + "entity_name_is_idle": "{entity_name} er aðgerðalaus", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} er að spila", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2386,12 +2519,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} ekki á verði", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} er heima", + "entity_name_is_not_home": "{entity_name} er ekki heima", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2436,6 +2583,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2474,135 +2622,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fimmti hnappur", + "sixth_button": "Sjötti hnappur", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Báðir hnappar", + "bottom_buttons": "Neðri hnappar", + "seventh_button": "Sjöundi hnappur", + "eighth_button": "Áttundi hnappur", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Vinstri", + "right": "Hægri", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} rafhlaðan er lítil", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} skynjaði kolmónoxið", - "entity_name_is_cold": "{entity_name} er kalt", - "entity_name_is_connected": "{entity_name} er tengdur", - "entity_name_is_detecting_gas": "{entity_name} skynjaði gas", - "entity_name_is_hot": "{entity_name} er heitt", - "entity_name_is_detecting_light": "{entity_name} skynjaði ljós", - "entity_name_is_locked": "{entity_name} er læst", - "entity_name_is_moist": "{entity_name} er rakt", - "entity_name_is_detecting_motion": "{entity_name} skynjaði hreyfingu", - "entity_name_is_moving": "{entity_name} er á hreyfingu", - "condition_type_is_no_co": "{entity_name} er ekki að skynja kolmónoxíð", - "condition_type_is_no_gas": "{entity_name} greinir ekki gas", - "condition_type_is_no_light": "{entity_name} greinir ekki ljós", - "condition_type_is_no_motion": "{entity_name} er ekki að skynja hreyfingu", - "condition_type_is_no_problem": "{entity_name} greinir ekki vandamál", - "condition_type_is_no_smoke": "{entity_name} er ekki að skynja reyk", - "condition_type_is_no_sound": "{entity_name} greinir ekki hljóð", - "entity_name_is_up_to_date": "{entity_name} er uppfært", - "condition_type_is_no_vibration": "{entity_name} greinir ekki titring", - "entity_name_battery_is_normal": "{entity_name} rafhlaða er eðlileg", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} er ekki kalt", - "entity_name_is_unplugged": "{entity_name} er aftengt", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} er ólæst", - "entity_name_is_dry": "{entity_name} er þurr", - "entity_name_is_not_moving": "{entity_name} hreyfist ekki", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_not_powered": "{entity_name} er ekki í gangi", - "entity_name_is_not_present": "{entity_name} er ekki til staðar", - "entity_name_is_not_running": "{entity_name} er ekki keyrandi", - "condition_type_is_not_tampered": "{entity_name} skynjaði ekki fikt", - "entity_name_is_safe": "{entity_name} er öruggt", - "entity_name_is_occupied": "{entity_name} er upptekið", - "entity_name_is_powered": "{entity_name} er í gangi", - "entity_name_is_present": "{entity_name} er til staðar", - "entity_name_is_detecting_problem": "{entity_name} skynjaði vandamál", - "entity_name_is_running": "{entity_name} er keyrandi", - "entity_name_is_detecting_smoke": "{entity_name} skynjaði reyk", - "entity_name_is_detecting_sound": "{entity_name} skynjaði hljóð", - "entity_name_is_detecting_tampering": "{entity_name} skynjaði fikt", - "entity_name_is_unsafe": "{entity_name} er óöruggt", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} skynjaði titring", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} byrjaði að skynja gas", - "entity_name_became_hot": "{entity_name} varð heitt", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} byrjaði að skynja hreyfingu", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} hætti að skynja hreyfingu", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} varð ekki heitt", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} byrjaði að skynja vandamál", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Báðir hnappar", - "bottom_buttons": "Neðri hnappar", - "seventh_button": "Sjöundi hnappur", - "eighth_button": "Áttundi hnappur", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Vinstri", - "right": "Hægri", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2733,16 +2816,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2777,122 +2955,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2900,6 +3020,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2911,10 +3147,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2926,75 +3159,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3002,187 +3185,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3191,23 +3261,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/it/it.json b/packages/core/src/hooks/useLocale/locales/it/it.json index 12f954b..6811392 100644 --- a/packages/core/src/hooks/useLocale/locales/it/it.json +++ b/packages/core/src/hooks/useLocale/locales/it/it.json @@ -10,7 +10,7 @@ "to_do_lists": "Liste di attività", "developer_tools": "Strumenti per sviluppatori", "mean": "Media", - "profile": "Profilo", + "profile": "Profile", "panel_shopping_list": "Lista della Spesa", "unknown": "Sconosciuto", "unavailable": "Non disponibile", @@ -36,7 +36,7 @@ "upload_backup": "Carica backup", "turn_on": "Accendi", "turn_off": "Spegni", - "toggle": "Toggle", + "toggle": "Commuta", "code": "Codice", "clear": "Assente", "arm_home": "Attiva In casa", @@ -62,13 +62,13 @@ "name_heating": "{name} calore", "name_cooling": "{name} raffreddamento", "high": "Alto", - "low": "Bassa", + "low": "Basso", "preset": "Preimpostato", "action_to_target": "{action} all'obiettivo", "target": "Destinazione", "humidity_target": "Obiettivo di umidità", - "increment": "Incrementa", - "decrement": "Decrementa", + "increment": "Incremento", + "decrement": "Decremento", "reset": "Ripristina", "position": "Position", "tilt_position": "Posizione di inclinazione", @@ -93,19 +93,20 @@ "resume_mowing": "Riprendi la falciatura", "start_mowing": "Inizia a falciare", "return_home": "Ritorna alla base", - "brightness": "Luminosità", - "color_temperature": "Temperatura di colore", + "brightness": "Brightness", + "color_temperature": "Color temperature", "white_brightness": "Luminosità del bianco", "color_brightness": "Luminosità del colore", "cold_white_brightness": "Luminosità bianca fredda", "warm_white_brightness": "Luminosità bianca calda", - "effect": "Effetto", + "effect": "Effect", "lock": "Blocca", "unlock": "Sblocca", - "open": "Open", + "open": "Apri", "open_door": "Open door", - "really_open": "È veramente aperta?", - "door_open": "Porta aperta", + "really_open": "Vuoi aprire la porta?", + "done": "Done", + "ui_card_lock_open_door_success": "Porta aperta", "source": "Fonte", "sound_mode": "Modalità audio", "browse_media": "Sfoglia i file multimediali", @@ -191,7 +192,7 @@ "close": "Close", "leave": "Esci", "stay": "Rimani", - "next": "Prossima", + "next": "Prossimo", "move": "Sposta", "save": "Salva", "add": "Aggiungi", @@ -222,6 +223,9 @@ "media_content_type": "Tipo di contenuto multimediale", "upload_failed": "Caricamento non riuscito", "unknown_file": "File sconosciuto", + "select_image": "Seleziona immagine", + "upload_picture": "Carica immagine", + "image_url": "Percorso locale o URL web", "latitude": "Latitudine", "longitude": "Logitudine", "radius": "Raggio", @@ -235,12 +239,13 @@ "date_time": "Data e ora", "duration": "Durata", "entity": "Entità", + "floor": "Piano", "icon": "Icona", "location": "Posizione", "number": "Numero", "object": "Oggetto", "rgb_color": "Colore RGB", - "select": "Seleziona", + "select": "Selezionare", "template": "Template", "text": "Testo", "theme": "Tema", @@ -273,6 +278,7 @@ "was_opened": "era aperto", "was_closed": "è stato chiuso", "is_opening": "in apertura", + "is_opened": "è aperto", "is_closing": "in chiusura", "was_unlocked": "è stato sbloccato", "was_locked": "è stato bloccato", @@ -322,10 +328,13 @@ "sort_by_sortcolumn": "Ordina per {sortColumn}", "group_by_groupcolumn": "Raggruppa per {groupColumn}", "don_t_group": "Non raggruppare", + "collapse_all": "Comprimi tutto", + "expand_all": "Espandi tutto", "selected_selected": "Selezionato {selected}", "close_selection_mode": "Chiudi modalità di selezione", "select_all": "Seleziona tutto", "select_none": "Non selezionare niente", + "customize_table": "Personalizza tabella", "conversation_agent": "Agente conversazione", "none": "Nessuno", "country": "Nazione", @@ -335,7 +344,7 @@ "no_theme": "Nessun tema", "language": "Language", "no_languages_available": "Nessuna lingua disponibile", - "text_to_speech": "Sintesi vocale", + "text_to_speech": "Text to speech", "voice": "Voce", "no_user": "Nessun utente", "add_user": "Aggiungi utente", @@ -373,7 +382,6 @@ "ui_components_area_picker_add_dialog_text": "Inserisci il nome della nuova area.", "ui_components_area_picker_add_dialog_title": "Aggiungi nuova area", "show_floors": "Mostra piani", - "floor": "Piano", "add_new_floor_name": "Aggiungi nuovo piano ''{name}''", "add_new_floor": "Aggiungi nuovo piano...", "floor_picker_no_floors": "Non hai nessun piano", @@ -438,7 +446,7 @@ "dark_grey": "Grigio scuro", "blue_grey": "Grigio blu", "black": "Nero", - "white": "Bianco", + "white": "White", "start_date": "Data di inizio", "end_date": "Data di fine", "select_time_period": "Seleziona il periodo di tempo", @@ -451,6 +459,9 @@ "last_month": "Il mese scorso", "this_year": "Quest'anno", "last_year": "L'anno scorso", + "reset_to_default_size": "Ripristina alla dimensione originale", + "number_of_columns": "Numero di colonne", + "number_of_rows": "Numero di righe", "never": "Mai", "history_integration_disabled": "Integrazione dello storico disabilitata", "loading_state_history": "Caricamento storico…", @@ -481,6 +492,10 @@ "filtering_by": "Filtraggio per", "number_hidden": "{number} nascosto", "ungrouped": "Non raggruppato", + "customize": "Personalizza", + "hide_column_title": "Nascondi colonna {title}", + "show_column_title": "Mostra colonna {title}", + "restore_defaults": "Ripristina predefinito", "message": "Messaggio", "genre": "Genere", "male": "Maschio", @@ -587,7 +602,7 @@ "on_the": "di", "or": "Oppure", "at": "alle", - "last": "Ultima", + "last": "Ultimo", "times": "volte", "summary": "Riepilogo", "attributes": "Attributi", @@ -606,7 +621,7 @@ "script": "Script", "scenes": "Scene", "people": "Persone", - "zones": "Zone", + "zone": "Zone", "input_booleans": "Input booleani", "input_texts": "Input testuali", "input_numbers": "Input numerici", @@ -705,7 +720,7 @@ "switch_to_position_mode": "[%key:ui::dialogs::more_info_control::valve::switch_mode::position%]", "people_in_zone": "Persone nella zona", "edit_favorite_colors": "Modifica i colori preferiti", - "color": "Colore", + "color": "Color", "set_white": "Impostare il bianco", "select_effect": "Seleziona l'effetto", "change_color": "Cambia colore", @@ -806,9 +821,9 @@ "unsupported": "Non supportato", "more_info_about_entity": "Ulteriori informazioni sull'entità", "restart_home_assistant": "Riavvia Home Assistant?", - "advanced_options": "Opzioni avanzate", + "advanced_options": "Advanced options", "quick_reload": "Riavvio rapido", - "reload_description": "Ricarica gli aiutanti dalla configurazione YAML.", + "reload_description": "Ricarica le zone dalla configurazione YAML.", "reloading_configuration": "Ricarica configurazione", "failed_to_reload_configuration": "Impossibile ricaricare la configurazione", "restart_description": "Interrompe tutte le automazioni e gli script in esecuzione.", @@ -853,7 +868,7 @@ "enable_newly_added_entities": "Abilita nuove entità aggiunte.", "enable_polling_for_updates": "Abilita il polling per gli aggiornamenti.", "reconfiguring_device": "Riconfigurazione del dispositivo", - "configuring": "Configurazione", + "config": "Configurazione", "start_reconfiguration": "Avvia la riconfigurazione", "device_reconfiguration_complete": "Riconfigurazione del dispositivo completata.", "show_details": "Mostra dettagli", @@ -980,7 +995,6 @@ "notification_toast_no_matching_link_found": "Nessun My-collegamento trovato per {path}", "app_configuration": "Configurazione applicazione", "sidebar_toggle": "Attiva/disattiva la barra laterale", - "done": "Done", "hide_panel": "Nascondi pannello", "show_panel": "Mostra pannello", "show_more_information": "Mostra maggiori informazioni", @@ -1077,9 +1091,11 @@ "view_configuration": "Visualizza configurazione", "name_view_configuration": "{name} Visualizza configurazione", "add_view": "Aggiungi vista", + "background_title": "Aggiungi uno sfondo alla vista", "edit_view": "Modifica vista", "move_view_left": "Sposta la vista a sinistra", "move_view_right": "Sposta la vista a destra", + "background": "Sfondo", "badges": "Distintivi", "view_type": "Tipo di visualizzazione", "masonry_default": "Muratura (predefinito)", @@ -1112,6 +1128,7 @@ "increase_card_position": "Aumenta la posizione della scheda", "more_options": "Altre opzioni", "search_cards": "Cerca schede", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Quale scheda vorresti aggiungere alla tua vista {name}?", "move_card_error_title": "Non è possibile spostare la scheda", "choose_a_view": "Scegli una vista", @@ -1130,8 +1147,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} e tutte le sue schede saranno eliminate.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} sarà eliminata.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Questa sezione", - "edit_name": "Modifica nome", - "add_name": "Aggiungi nome", + "edit_section": "Modifica sezione", "suggest_card_header": "Abbiamo creato un suggerimento per te", "pick_different_card": "Scegli una scheda diversa", "add_to_dashboard": "Aggiungi alla plancia", @@ -1152,8 +1168,8 @@ "condition_did_not_pass": "La condizione non è passata", "invalid_configuration": "Configurazione non valida", "entity_numeric_state": "Stato numerico dell'entità", - "above": "Maggiore di", - "below": "Minore di", + "above": "Above", + "below": "Below", "screen": "Schermo", "screen_sizes": "Dimensioni dello schermo", "mobile": "Mobile", @@ -1285,7 +1301,7 @@ "light_brightness": "Luminosità della luce", "light_color_temperature": "Temperatura di colore della luce", "lock_commands": "Comandi di blocco", - "lock_open_door": "Chiudere porta aperta", + "lock_open_door": "Chiudi a chiave la porta aperta", "vacuum_commands": "Comandi aspirapolvere", "commands": "Comandi", "climate_fan_modes": "Modalità ventilatore climatico", @@ -1331,181 +1347,128 @@ "footer_editor": "Editor piè di pagina", "feature_editor": "Editor di funzionalità", "yellow_green": "Giallo verde", + "ui_panel_lovelace_editor_color_picker_colors_white": "Bianco", + "ui_panel_lovelace_editor_edit_section_title_title": "Modifica nome", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Aggiungi nome", "warning_attribute_not_found": "Attributo {attribute} non disponibile in: {entity}", "entity_not_available_entity": "Entità non disponibile: {entity}", "entity_is_non_numeric_entity": "L'entità non è numerica: {entity}", "warning_entity_unavailable": "L'entità non è attualmente disponibile: {entity}", "invalid_timestamp": "Marca temporale non valida", "invalid_display_format": "Formato di visualizzazione non valido", + "now": "Adesso", "compare_data": "Confronta i dati", "reload_ui": "Ricarica l'interfaccia utente", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Interruttore", - "camera": "Telecamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Gruppo", - "timer": "Temporizzatore", - "zone": "Zona", - "schedule": "Calendarizzazione", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Copertura", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input booleano", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversazione", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Copertura", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Pulsante di input", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Pannello di controllo degli allarmi", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventilatore", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Localizzatore di dispositivo", + "trace": "Trace", + "stream": "Stream", + "person": "Persona", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input booleano", + "camera": "Telecamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input di data/ora", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostica", + "siren": "Sirena", + "fitbit": "Fitbit", + "automation": "Automazione", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scena", - "climate": "Climatizzatore", + "conversation": "Conversazione", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Dimensione file", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Credenziali dell'applicazione", - "local_calendar": "Calendario locale", - "trace": "Trace", - "input_number": "Input numerico", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input di testo", - "rpi_power_title": "Controllo alimentazione Raspberry Pi", - "weather": "Tempo atmosferico", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Gruppo", + "auth": "Auth", + "thread": "Thread", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Calendarizzazione", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Telecomando", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Controllo alimentazione Raspberry Pi", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Interruttore", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Localizzatore di dispositivo", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Tempo atmosferico", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Telecomando", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input numerico", + "binary_sensor": "Sensore binario", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilatore", + "scene": "Scena", + "input_select": "Input selezione", "localtuya": "LocalTuya", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Evento", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Evento", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climatizzatore", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Contatore", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "App per dispositivi mobili", - "diagnostics": "Diagnostica", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Persona", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirena", - "input_select": "Input selezione", + "deconz": "deCONZ", + "timer": "Temporizzatore", + "application_credentials": "Credenziali dell'applicazione", "logger": "Registratore", - "assist_pipeline": "Assist pipeline", - "automation": "Automazione", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Pulsante di input", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Contatore", - "binary_sensor": "Sensore binario", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "Versione dell'agente del sistema operativo", - "apparmor_version": "Versione Apparmor", - "cpu_percent": "Percentuale CPU", - "disk_free": "Disco libero", - "disk_total": "Disco totale", - "disk_used": "Disco utilizzato", - "memory_percent": "Percentuale di memoria", - "version": "Versione", - "newest_version": "Versione più recente", + "local_calendar": "Calendario locale", "synchronize_devices": "Sincronizza i dispositivi", - "device_name_current": "{device_name} current", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Il consumo di oggi", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Consumo totale", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Byte ricevuti", - "server_country": "Nazione del server", - "server_id": "ID server", - "server_name": "Nome del server", - "ping": "Ping", - "upload": "Carica", - "bytes_sent": "Byte inviati", - "air_quality_index": "Indice di qualità dell'aria", - "illuminance": "Illuminamento", - "noise": "Rumore", - "overload": "Sovraccarico", - "voltage": "Tensione", - "estimated_distance": "Distanza stimata", - "vendor": "Venditore", - "assist_in_progress": "Assist in corso", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Spento/a", - "preferred": "Preferito", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Ultima attività", - "last_ding": "Ultimo ding", - "last_motion": "Ultimo movimento", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Categoria del segnale Wi-Fi", - "wi_fi_signal_strength": "Potenza del segnale Wi-Fi", - "battery_level": "Livello della batteria", - "size": "Dimensione", - "size_in_bytes": "Dimensione in byte", - "finished_speaking_detection": "Rilevamento vocale terminato", - "aggressive": "Aggressivo", - "default": "Predefinito", - "relaxed": "Rilassato", - "call_active": "Chiamata attiva", - "quiet": "Tranquillo", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Pesante", "mild": "Lieve", "button_down": "Pulsante giù", @@ -1522,40 +1485,19 @@ "not_completed": "Non completato", "pending": "In attesa", "checking": "In verifica", - "closed": "Closed", + "closed": "Chiuso/a", "closing": "Closing", "opened": "Aperta", - "device_admin": "Amministratore del dispositivo", - "kiosk_mode": "Modalità Kiosk", - "plugged_in": "Collegato", - "load_start_url": "Carica l'URL iniziale", - "restart_browser": "Riavvia il browser", - "restart_device": "Riavvia il dispositivo", - "send_to_background": "Invia allo sfondo", - "bring_to_foreground": "Porta in primo piano", - "screen_brightness": "Luminosità dello schermo", - "screen_off_timer": "Timer spegnimento schermo", - "screensaver_brightness": "Luminosità del salvaschermo", - "screensaver_timer": "Timer del salvaschermo", - "current_page": "Pagina corrente", - "foreground_app": "App in primo piano", - "internal_storage_free_space": "Spazio libero di archiviazione interna", - "internal_storage_total_space": "Spazio totale di archiviazione interna", - "free_memory": "Memoria libera", - "total_memory": "Memoria totale", - "screen_orientation": "Orientamento schermo", - "kiosk_lock": "Blocca Kiosk", - "maintenance_mode": "Modalità di manutenzione", - "motion_detection": "Rilevamento del movimento", - "screensaver": "Salvaschermo", - "compressor_energy_consumption": "Consumo energetico del compressore", - "compressor_estimated_power_consumption": "Consumo energetico stimato del compressore", - "compressor_frequency": "Frequenza del compressore", - "cool_energy_consumption": "Consumo di energia per raffreddare", - "energy_consumption": "Consumo di energia", - "heat_energy_consumption": "Consumo di energia per riscaldare", - "inside_temperature": "Temperatura interna", - "outside_temperature": "Temperatura esterna", + "battery_level": "Livello della batteria", + "os_agent_version": "Versione dell'agente del sistema operativo", + "apparmor_version": "Versione Apparmor", + "cpu_percent": "Percentuale CPU", + "disk_free": "Disco libero", + "disk_total": "Disco totale", + "disk_used": "Disco utilizzato", + "memory_percent": "Percentuale di memoria", + "version": "Versione", + "newest_version": "Versione più recente", "next_dawn": "Prossima alba", "next_dusk": "Prossimo crepuscolo", "next_midnight": "Prossima mezzanotte", @@ -1565,17 +1507,124 @@ "solar_azimuth": "Azimut solare", "solar_elevation": "Elevazione solare", "solar_rising": "Sorgere del sole", - "calibration": "Calibrazione", - "auto_lock_paused": "Blocco automatico in pausa", - "timeout": "Tempo scaduto", - "unclosed_alarm": "Allarme non chiuso", - "unlocked_alarm": "Allarme sbloccato", - "bluetooth_signal": "Segnale Bluetooth", - "light_level": "Livello di luce", - "wi_fi_signal": "Segnale Wi Fi", - "momentary": "Momentaneo", - "pull_retract": "Tirare/ritrarre", + "compressor_energy_consumption": "Consumo energetico del compressore", + "compressor_estimated_power_consumption": "Consumo energetico stimato del compressore", + "compressor_frequency": "Frequenza del compressore", + "cool_energy_consumption": "Consumo di energia per raffreddare", + "energy_consumption": "Consumo di energia", + "heat_energy_consumption": "Consumo di energia per riscaldare", + "inside_temperature": "Temperatura interna", + "outside_temperature": "Temperatura esterna", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Rilevamento vocale terminato", + "aggressive": "Aggressivo", + "default": "Predefinito", + "relaxed": "Rilassato", + "device_admin": "Amministratore del dispositivo", + "kiosk_mode": "Modalità Kiosk", + "plugged_in": "Collegato", + "load_start_url": "Carica l'URL iniziale", + "restart_browser": "Riavvia il browser", + "restart_device": "Riavvia il dispositivo", + "send_to_background": "Invia allo sfondo", + "bring_to_foreground": "Porta in primo piano", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Luminosità dello schermo", + "screen_off_timer": "Timer spegnimento schermo", + "screensaver_brightness": "Luminosità del salvaschermo", + "screensaver_timer": "Timer del salvaschermo", + "current_page": "Pagina corrente", + "foreground_app": "App in primo piano", + "internal_storage_free_space": "Spazio libero di archiviazione interna", + "internal_storage_total_space": "Spazio totale di archiviazione interna", + "free_memory": "Memoria libera", + "total_memory": "Memoria totale", + "screen_orientation": "Orientamento schermo", + "kiosk_lock": "Blocca Kiosk", + "maintenance_mode": "Modalità di manutenzione", + "motion_detection": "Rilevamento del movimento", + "screensaver": "Salvaschermo", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Aggiornamento disponibile", + "dry": "Deumidificazione", + "wet": "Bagnato", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Il consumo di oggi", + "total_consumption": "Consumo totale", + "device_name_current": "{device_name} current", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Intensità del segnale", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Tensione", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Distanza stimata", + "vendor": "Venditore", + "air_quality_index": "Indice di qualità dell'aria", + "illuminance": "Illuminamento", + "noise": "Rumore", + "overload": "Sovraccarico", + "size": "Dimensione", + "size_in_bytes": "Dimensione in byte", + "bytes_received": "Byte ricevuti", + "server_country": "Nazione del server", + "server_id": "ID server", + "server_name": "Nome del server", + "ping": "Ping", + "upload": "Carica", + "bytes_sent": "Byte inviati", "animal": "Animale", + "detected": "Rilevato", "animal_lens": "Lente animale 1", "face": "Viso", "face_lens": "Lente viso 1", @@ -1585,6 +1634,9 @@ "person_lens": "Lente persona 1", "pet": "Animale domestico", "pet_lens": "Lente per animali domestici 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Veicolo", "vehicle_lens": "Lente del veicolo 1", "visitor": "Visitatore", @@ -1642,23 +1694,26 @@ "image_sharpness": "Nitidezza dell'immagine", "motion_sensitivity": "Sensibilità al movimento", "pir_sensitivity": "Sensibilità PIR", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Messaggio di risposta rapida automatica", + "off": "Spento/a", "auto_track_method": "Metodo di tracciamento automatico", "digital": "Digitale", "digital_first": "Digitale per primo", "pan_tilt_first": "Panoramica/inclinazione per prima", "day_night_mode": "Modalità giorno-notte", "black_white": "Bianco e nero", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & sempre attivo di notte", + "stay_off": "Stai fuori", "floodlight_mode": "Modalità faretto", "adaptive": "Adattivo", "auto_adaptive": "Auto adattivo", "on_at_night": "Acceso di notte", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "Preimpostazione PTZ", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & sempre attivo di notte", - "stay_off": "Stai fuori", "battery_percentage": "Percentuale della batteria", "battery_state": "Stato della batteria", "charge_complete": "Carica completata", @@ -1672,6 +1727,7 @@ "hdd_hdd_index_storage": "Memoria HDD {hdd_index}", "ptz_pan_position": "Posizione orizzontale PTZ", "sd_hdd_index_storage": "Memoria SD {hdd_index}", + "wi_fi_signal": "Segnale Wi Fi", "auto_focus": "Messa a fuoco automatica", "auto_tracking": "Tracciamento automatico", "buzzer_on_event": "Cicalino sull'evento", @@ -1680,6 +1736,7 @@ "ftp_upload": "Caricamento FTP", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR abilitato", "pir_reduce_false_alarm": "PIR riduce i falsi allarmi", "ptz_patrol": "PTZ patrol", @@ -1687,78 +1744,84 @@ "record": "Registrazione", "record_audio": "Registra audio", "siren_on_event": "Sirena su evento", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Localizzatori di dispositivi", - "gps_accuracy": "Precisione GPS", + "call_active": "Chiamata attiva", + "quiet": "Tranquillo", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibrazione", + "auto_lock_paused": "Blocco automatico in pausa", + "timeout": "Tempo scaduto", + "unclosed_alarm": "Allarme non chiuso", + "unlocked_alarm": "Allarme sbloccato", + "bluetooth_signal": "Segnale Bluetooth", + "light_level": "Livello di luce", + "momentary": "Momentaneo", + "pull_retract": "Tirare/ritrarre", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Ultima attività", + "last_ding": "Ultimo ding", + "last_motion": "Ultimo movimento", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Categoria del segnale Wi-Fi", + "wi_fi_signal_strength": "Potenza del segnale Wi-Fi", + "box": "Casella", + "step": "Passo", + "apparent_power": "Potenza apparente", + "carbon_dioxide": "Anidride carbonica", + "data_rate": "Velocità dei dati", + "distance": "Distanza", + "stored_energy": "Energia immagazzinata", + "frequency": "Frequenza", + "irradiance": "Irraggiamento", + "nitrogen_dioxide": "Anidride nitrosa", + "nitrogen_monoxide": "Monossido di azoto", + "nitrous_oxide": "Ossido nitroso", + "ozone": "Ozono", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Fattore di potenza", + "precipitation_intensity": "Intensità della precipitazione", + "pressure": "Pressione", + "reactive_power": "Potenza reattiva", + "sound_pressure": "Pressione sonora", + "speed": "Velocità", + "sulphur_dioxide": "Anidride solforosa", + "vocs": "COV", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Volume memorizzato", + "weight": "Peso", + "available_tones": "Toni disponibili", + "end_time": "Ora di fine", + "start_time": "Ora di inizio", + "managed_via_ui": "Gestito tramite interfaccia utente", + "next_event": "Prossimo evento", + "stopped": "Stopped", + "garage": "Box auto", "running_automations": "Automazioni in esecuzione", - "max_running_scripts": "Numero massimo di script in esecuzione", + "id": "ID", + "max_running_automations": "Max automazioni in esecuzione", "run_mode": "Modalità di esecuzione", "parallel": "In parallelo", "queued": "In coda", "single": "Singola", - "end_time": "Ora di fine", - "start_time": "Ora di inizio", - "recording": "In registrazione", - "streaming": "In trasmissione", - "access_token": "Token di accesso", - "brand": "Marca", - "stream_type": "Tipo di flusso", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Modello", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "dry": "Asciutto", - "fan_only": "Solo ventilatore", - "heat_cool": "Calore/raffreddamento", - "aux_heat": "Riscaldamento ausiliario", - "current_humidity": "Umidità attuale", - "current_temperature": "Temperatura attuale", - "fan_mode": "Modalità ventola", - "diffuse": "Diffuso", - "middle": "Mezzo", - "top": "Superiore", - "current_action": "Azione in corso", - "cooling": "In raffeddamento", - "drying": "In deumidificazione", - "heating": "In riscaldamento", - "preheating": "Preriscaldamento", - "max_target_humidity": "Umidità desiderata massima", - "max_target_temperature": "Temperatura desiderata massima", - "min_target_humidity": "Umidità desiderata minima", - "min_target_temperature": "Temperatura desiderata minima", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sonno", - "presets": "Preimpostazioni", - "swing_mode": "Modalità di oscillazione", - "both": "Entrambi", - "horizontal": "Orizzontale", - "upper_target_temperature": "Temperatura desiderata più alta", - "lower_target_temperature": "Temperatura desiderata più bassa", - "target_temperature_step": "Passo di temperatura desiderata", + "not_charging": "Non in carica", + "disconnected": "Disconnesso", + "connected": "Connesso", + "hot": "Caldo", + "no_light": "Nessuna luce", + "light_detected": "Luce rilevata", + "unlocked": "Aperto/a", + "not_moving": "Non si muove", + "unplugged": "Scollegato", + "not_running": "Non in esecuzione", + "safe": "Sicuro", + "unsafe": "Non Sicuro", + "tampering_detected": "Rilevata manomissione", "buffering": "Precaricamento", "paused": "In pausa", "app_id": "ID dell'app", @@ -1778,72 +1841,11 @@ "receiver": "Ricevitore", "speaker": "Altoparlante", "tv": "TV", - "color_mode": "Modalità colore", - "brightness_only": "Solo luminosità", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Temperatura di colore (mireds)", - "color_temperature_kelvin": "Temperatura di colore (Kelvin)", - "available_effects": "Effetti disponibili", - "maximum_color_temperature_kelvin": "Temperatura massima del colore (Kelvin)", - "maximum_color_temperature_mireds": "Temperatura massima del colore (mireds)", - "minimum_color_temperature_kelvin": "Temperatura minima del colore (Kelvin)", - "minimum_color_temperature_mireds": "Temperatura minima del colore (mireds)", - "available_color_modes": "Modalità colore disponibili", - "event_type": "Tipo di evento", - "event_types": "Tipi di evento", - "doorbell": "Campanello", - "available_tones": "Toni disponibili", - "locked": "Chiuso/a", - "unlocked": "Aperto/a", - "members": "Membri", - "managed_via_ui": "Gestito tramite interfaccia utente", - "id": "ID", - "max_running_automations": "Max automazioni in esecuzione", - "finishes_at": "Finisce alle", - "remaining": "Rimanente", - "next_event": "Prossimo evento", - "update_available": "Aggiornamento disponibile", - "auto_update": "Aggiornamento automatico", - "in_progress": "In corso", - "installed_version": "Versione installata", - "latest_version": "Ultima versione", - "release_summary": "Riepilogo della versione", - "release_url": "URL di rilascio", - "skipped_version": "Versione saltata", - "firmware": "Firmware", - "box": "Casella", - "step": "Passo", - "apparent_power": "Potenza apparente", - "carbon_dioxide": "Anidride carbonica", - "data_rate": "Velocità dei dati", - "distance": "Distanza", - "stored_energy": "Energia immagazzinata", - "frequency": "Frequenza", - "irradiance": "Irraggiamento", - "nitrogen_dioxide": "Anidride nitrosa", - "nitrogen_monoxide": "Monossido di azoto", - "nitrous_oxide": "Ossido nitroso", - "ozone": "Ozono", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Fattore di potenza", - "precipitation_intensity": "Intensità della precipitazione", - "pressure": "Pressione", - "reactive_power": "Potenza reattiva", - "signal_strength": "Intensità del segnale", - "sound_pressure": "Pressione sonora", - "speed": "Velocità", - "sulphur_dioxide": "Anidride solforosa", - "vocs": "COV", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Volume memorizzato", - "weight": "Peso", - "stopped": "Stopped", - "garage": "Box auto", + "above_horizon": "Sopra l'orizzonte", + "below_horizon": "Sotto l'orizzonte", + "oscillating": "Oscillante", + "speed_step": "Passo di velocità", + "available_preset_modes": "Modalità preimpostate disponibili", "armed_away": "Attivo fuori casa", "armed_custom_bypass": "Attivo con esclusione personalizzata", "armed_home": "Attivo in casa", @@ -1855,15 +1857,72 @@ "code_for_arming": "Codice per l'inserimento", "not_required": "Non richiesto", "code_format": "Formato del codice", + "gps_accuracy": "Precisione GPS", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Tipo di evento", + "event_types": "Tipi di evento", + "doorbell": "Campanello", + "device_trackers": "Localizzatori di dispositivi", + "max_running_scripts": "Numero massimo di script in esecuzione", + "jammed": "Inceppata", + "locking": "In chiusura", + "unlocking": "In apertura", + "fan_only": "Solo ventilatore", + "heat_cool": "Calore/raffreddamento", + "aux_heat": "Riscaldamento ausiliario", + "current_humidity": "Umidità attuale", + "current_temperature": "Temperatura attuale", + "fan_mode": "Modalità ventola", + "diffuse": "Diffuso", + "middle": "Mezzo", + "top": "Superiore", + "current_action": "Azione in corso", + "cooling": "In raffeddamento", + "drying": "In deumidificazione", + "heating": "In riscaldamento", + "preheating": "Preriscaldamento", + "max_target_humidity": "Umidità desiderata massima", + "max_target_temperature": "Temperatura desiderata massima", + "min_target_humidity": "Umidità desiderata minima", + "min_target_temperature": "Temperatura desiderata minima", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sonno", + "presets": "Preimpostazioni", + "swing_mode": "Modalità di oscillazione", + "both": "Entrambi", + "horizontal": "Orizzontale", + "upper_target_temperature": "Temperatura desiderata più alta", + "lower_target_temperature": "Temperatura desiderata più bassa", + "target_temperature_step": "Passo di temperatura desiderata", "last_reset": "Ultimo ripristino", "possible_states": "Stati possibili", "state_class": "Classe di stato", "measurement": "Misurazione", "total": "Totale", "total_increasing": "Aumento in totale", + "conductivity": "Conductivity", "data_size": "Dimensione dei dati", "balance": "Bilancio", "timestamp": "Marca temporale", + "color_mode": "Modalità colore", + "brightness_only": "Solo luminosità", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Temperatura di colore (mireds)", + "color_temperature_kelvin": "Temperatura di colore (Kelvin)", + "available_effects": "Effetti disponibili", + "maximum_color_temperature_kelvin": "Temperatura massima del colore (Kelvin)", + "maximum_color_temperature_mireds": "Temperatura massima del colore (mireds)", + "minimum_color_temperature_kelvin": "Temperatura minima del colore (Kelvin)", + "minimum_color_temperature_mireds": "Temperatura minima del colore (mireds)", + "available_color_modes": "Modalità colore disponibili", "clear_night": "Sereno, notte", "cloudy": "Nuvoloso", "exceptional": "Eccezionale", @@ -1886,62 +1945,77 @@ "uv_index": "Indice UV", "wind_bearing": "Direzione del vento", "wind_gust_speed": "Velocità delle raffiche di vento", - "above_horizon": "Sopra l'orizzonte", - "below_horizon": "Sotto l'orizzonte", - "oscillating": "Oscillante", - "speed_step": "Passo di velocità", - "available_preset_modes": "Modalità preimpostate disponibili", - "jammed": "Inceppata", - "locking": "In chiusura", - "unlocking": "In apertura", - "identify": "Identifica", - "not_charging": "Non in carica", - "detected": "Rilevato", - "disconnected": "Disconnesso", - "connected": "Connesso", - "hot": "Caldo", - "no_light": "Nessuna luce", - "light_detected": "Luce rilevata", - "wet": "Bagnato", - "not_moving": "Non si muove", - "unplugged": "Scollegato", - "not_running": "Non in esecuzione", - "safe": "Sicuro", - "unsafe": "Non Sicuro", - "tampering_detected": "Rilevata manomissione", + "recording": "In registrazione", + "streaming": "In trasmissione", + "access_token": "Token di accesso", + "brand": "Marca", + "stream_type": "Tipo di flusso", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Modello", "minute": "Minuto", "second": "Secondo", - "location_is_already_configured": "La posizione è già configurata", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Chiave API non valida", - "api_key": "Chiave API", + "members": "Membri", + "finishes_at": "Finisce alle", + "remaining": "Rimanente", + "identify": "Identifica", + "auto_update": "Aggiornamento automatico", + "in_progress": "In corso", + "installed_version": "Versione installata", + "latest_version": "Ultima versione", + "release_summary": "Riepilogo della versione", + "release_url": "URL di rilascio", + "skipped_version": "Versione saltata", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Vuoi avviare la configurazione?", + "device_is_already_configured": "Il dispositivo è già configurato", + "re_authentication_was_successful": "La riautenticazione ha avuto successo", + "re_configuration_was_successful": "La riconfigurazione è stata completata con successo", + "failed_to_connect": "Impossibile connettersi", + "error_custom_port_not_supported": "Il dispositivo Gen1 non supporta la porta personalizzata.", + "invalid_authentication": "Autenticazione non valida", + "unexpected_error": "Errore imprevisto", + "username": "Nome utente", + "host": "Host", "account_is_already_configured": "L'account è già configurato", "abort_already_in_progress": "Il flusso di configurazione è già in corso", - "failed_to_connect": "Impossibile connettersi", "invalid_access_token": "Token di accesso non valido", "received_invalid_token_data": "Ricevuti dati token non validi.", "abort_oauth_failed": "Errore durante l'ottenimento del token di accesso.", "timeout_resolving_oauth_token": "Tempo scaduto durante la risoluzione del token OAuth.", "abort_oauth_unauthorized": "Errore di autorizzazione OAuth durante l'ottenimento del token di accesso.", - "re_authentication_was_successful": "La riautenticazione ha avuto successo", - "timeout_establishing_connection": "Tempo scaduto per stabile la connessione.", - "unexpected_error": "Errore imprevisto", "successfully_authenticated": "Autenticazione riuscita", - "link_google_account": "Collega l'account Google", + "link_fitbit": "Collega Fitbit", "pick_authentication_method": "Scegli il metodo di autenticazione", - "authentication_expired_for_name": "Autentica nuovamente l'integrazione {name}", - "service_is_already_configured": "Service is already configured", - "confirm_description": "Vuoi configurare {name}?", - "device_is_already_configured": "Il dispositivo è già configurato", - "abort_no_devices_found": "Nessun dispositivo trovato sulla rete", - "connection_error_error": "Errore di connessione: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Nome utente", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Già configurato. È possibile una sola configurazione.", + "authentication_expired_for_name": "Autenticazione scaduta per {name}", + "service_is_already_configured": "Il servizio è già configurato", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Vuoi configurare {name}?", + "adapter": "Adattatore", + "multiple_adapters_description": "Seleziona un adattatore Bluetooth da configurare", + "abort_already_configured": "Il dispositivo è già stato configurato.", + "invalid_host": "Nome host non valido.", + "wrong_smartthings_token": "SmartThings token errato.", + "error_st_device_not_found": "SmartThings TV deviceID non trovato.", + "error_st_device_used": "SmartThings TV deviceID già utilizzato.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host o indirizzo IP", + "data_name": "Nome dell'entità", + "smartthings_generated_token_optional": "SmartThings token generato (opzionale)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Chiave API", + "configure_daikin_ac": "Configura Daikin AC", + "abort_device_updated": "La configurazione del dispositivo è stata aggiornata.", + "failed_to_authenticate_msg": "Autenticazione fallita. Errore:\n{msg}", + "error_device_list_failed": "Impossibile recuperare l'elenco dei dispositivi.\n{msg}", + "cloud_api_account_configuration": "Configurazione dell'account Cloud API", + "api_server_region": "Regione del server API", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Non configurare l'account Cloud API", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1957,38 +2031,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Nome host o indirizzo IP non valido", - "device_not_supported": "Dispositivo non supportato", - "name_model_at_host": "{name} ({model} presso {host})", - "authenticate_to_the_device": "Esegui l'autenticazione al dispositivo", - "finish_title": "Scegli un nome per il dispositivo", - "unlock_the_device": "Sblocca il dispositivo", - "yes_do_it": "Sì, fallo.", - "unlock_the_device_optional": "Sblocca il dispositivo (opzionale)", - "connect_to_the_device": "Connettiti al dispositivo", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "Nessun servizio trovato nell'endpoint", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Autenticazione non valida", - "two_factor_code": "Codice autenticazione", - "two_factor_authentication": "Autenticazione a due fattori", - "sign_in_with_ring_account": "Accedi con l'account Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Collega Fitbit", - "abort_already_configured": "Il dispositivo è già stato configurato.", - "abort_device_updated": "La configurazione del dispositivo è stata aggiornata.", - "failed_to_authenticate_msg": "Autenticazione fallita. Errore:\n{msg}", - "error_device_list_failed": "Impossibile recuperare l'elenco dei dispositivi.\n{msg}", - "cloud_api_account_configuration": "Configurazione dell'account Cloud API", - "api_server_region": "Regione del server API", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Non configurare l'account Cloud API", + "cannot_connect_details_error_detail": "Impossibile connettersi. Dettagli: {error_detail}", + "unknown_details_error_detail": "Sconosciuto. Dettagli: {error_detail}", + "uses_an_ssl_certificate": "Utilizza un certificato SSL", + "verify_ssl_certificate": "Verifica il certificato SSL", + "timeout_establishing_connection": "Tempo scaduto per stabile la connessione.", + "link_google_account": "Collega l'account Google", + "abort_no_devices_found": "Nessun dispositivo trovato sulla rete", + "connection_error_error": "Errore di connessione: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Classe del dispositivo", + "state_template": "Modello di stato", + "template_binary_sensor": "Modello di sensore binario", + "template_sensor": "Modello di sensore", + "template_a_binary_sensor": "Modello di un sensore binario", + "template_a_sensor": "Modello di un sensore", + "template_helper": "Aiutante per i modelli", + "location_is_already_configured": "La posizione è già configurata", + "failed_to_connect_error": "Connessione non riuscita: {error}", + "invalid_api_key": "Chiave API non valida", + "pin_code": "Codice PIN", + "discovered_android_tv": "Rilevata Android TV", + "known_hosts": "Host conosciuti", + "google_cast_configuration": "Configurazione di Google Cast", + "abort_invalid_host": "Nome host o indirizzo IP non valido", + "device_not_supported": "Dispositivo non supportato", + "name_model_at_host": "{name} ({model} presso {host})", + "authenticate_to_the_device": "Esegui l'autenticazione al dispositivo", + "finish_title": "Scegli un nome per il dispositivo", + "unlock_the_device": "Sblocca il dispositivo", + "yes_do_it": "Sì, fallo.", + "unlock_the_device_optional": "Sblocca il dispositivo (opzionale)", + "connect_to_the_device": "Connettiti al dispositivo", "invalid_birth_topic": "Argomento di nascita non valido", "error_bad_certificate": "Il certificato CA non è valido", "invalid_discovery_prefix": "Prefisso di rilevamento non valido", @@ -2012,8 +2088,9 @@ "path_is_not_allowed": "Il percorso non è consentito", "path_is_not_valid": "Il percorso non è valido", "path_to_file": "Percorso del file", - "known_hosts": "Host conosciuti", - "google_cast_configuration": "Configurazione di Google Cast", + "api_error_occurred": "Si è verificato un errore di API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Abilita HTTPS", "abort_mdns_missing_mac": "Indirizzo MAC mancante nelle proprietà MDNS.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2021,10 +2098,36 @@ "service_received": "Servizio ricevuto", "discovered_esphome_node": "Rilevato nodo ESPHome", "encryption_key": "Chiave crittografica", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "Nessun servizio trovato nell'endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Tipo di Switchbot non supportato.", + "authentication_failed_error_detail": "Autenticazione non riuscita: {error_detail}", + "error_encryption_key_invalid": "L'ID chiave o la chiave crittografica non sono validi", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Account SwitchBot (consigliato)", + "menu_options_lock_key": "Inserire manualmente la chiave di crittografia della serratura", + "key_id": "ID chiave", + "password_description": "Password con cui proteggere il backup.", + "device_address": "Indirizzo del dispositivo", + "component_switchbot_config_error_one": "Vuoto", + "component_switchbot_config_error_other": "Vuoti", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Codice autenticazione", + "two_factor_authentication": "Autenticazione a due fattori", + "sign_in_with_ring_account": "Accedi con l'account Ring", + "bridge_is_already_configured": "Il bridge è già configurato", + "no_deconz_bridges_discovered": "Nessun bridge deCONZ rilevato", + "abort_no_hardware_available": "Nessun hardware radio collegato a deCONZ", + "abort_updated_instance": "Istanza deCONZ aggiornata con nuovo indirizzo host", + "error_linking_not_possible": "Impossibile collegarsi al gateway", + "error_no_key": "Impossibile ottenere una chiave API", + "link_with_deconz": "Collega con deCONZ", + "select_discovered_deconz_gateway": "Selezionare il gateway deCONZ rilevato", "all_entities": "Tutte le entità", "hide_members": "Nascondi membri", "add_group": "Aggiungi gruppo", - "device_class": "Classe del dispositivo", "ignore_non_numeric": "Ignora non numerico", "data_round_digits": "Valore arrotondato al numero di decimali", "type": "Tipo", @@ -2037,84 +2140,50 @@ "media_player_group": "Gruppo di lettori multimediali", "sensor_group": "Gruppo di sensori", "switch_group": "Gruppo di interruttori", - "name_already_exists": "Il nome è già esistente", - "passive": "Passivo", - "define_zone_parameters": "Imposta i parametri della zona", - "invalid_host": "Nome host non valido.", - "wrong_smartthings_token": "SmartThings token errato.", - "error_st_device_not_found": "SmartThings TV deviceID non trovato.", - "error_st_device_used": "SmartThings TV deviceID già utilizzato.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host o indirizzo IP", - "data_name": "Nome dell'entità", - "smartthings_generated_token_optional": "SmartThings token generato (opzionale)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "La riconfigurazione è stata completata con successo", - "error_custom_port_not_supported": "Il dispositivo Gen1 non supporta la porta personalizzata.", "abort_alternative_integration": "Il dispositivo è meglio supportato da un'altra integrazione", "abort_discovery_error": "Impossibile individuare un dispositivo DLNA corrispondente", "abort_incomplete_config": "Nella configurazione manca una variabile richiesta", "manual_description": "URL di un file XML di descrizione del dispositivo", "manual_title": "Connessione manuale del dispositivo DLNA DMR", "discovered_dlna_dmr_devices": "Rilevati dispositivi DLNA DMR", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Il nome è già esistente", + "passive": "Passivo", + "define_zone_parameters": "Imposta i parametri della zona", "calendar_name": "Nome del calendario", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adattatore", - "multiple_adapters_description": "Seleziona un adattatore Bluetooth da configurare", - "cannot_connect_details_error_detail": "Impossibile connettersi. Dettagli: {error_detail}", - "unknown_details_error_detail": "Sconosciuto. Dettagli: {error_detail}", - "uses_an_ssl_certificate": "Utilizza un certificato SSL", - "verify_ssl_certificate": "Verifica il certificato SSL", - "configure_daikin_ac": "Configura Daikin AC", - "pin_code": "Codice PIN", - "discovered_android_tv": "Rilevata Android TV", - "state_template": "Modello di stato", - "template_binary_sensor": "Modello di sensore binario", - "template_sensor": "Modello di sensore", - "template_a_binary_sensor": "Modello di un sensore binario", - "template_a_sensor": "Modello di un sensore", - "template_helper": "Aiutante per i modelli", - "bridge_is_already_configured": "Il bridge è già configurato", - "no_deconz_bridges_discovered": "Nessun bridge deCONZ rilevato", - "abort_no_hardware_available": "Nessun hardware radio collegato a deCONZ", - "abort_updated_instance": "Istanza deCONZ aggiornata con nuovo indirizzo host", - "error_linking_not_possible": "Impossibile collegarsi al gateway", - "error_no_key": "Impossibile ottenere una chiave API", - "link_with_deconz": "Collega con deCONZ", - "select_discovered_deconz_gateway": "Selezionare il gateway deCONZ rilevato", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Tipo di Switchbot non supportato.", - "authentication_failed_error_detail": "Autenticazione non riuscita: {error_detail}", - "error_encryption_key_invalid": "L'ID chiave o la chiave crittografica non sono validi", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Account SwitchBot (consigliato)", - "menu_options_lock_key": "Inserire manualmente la chiave di crittografia della serratura", - "key_id": "ID chiave", - "password_description": "Password con cui proteggere il backup.", - "device_address": "Indirizzo del dispositivo", - "component_switchbot_config_error_one": "Vuoto", - "component_switchbot_config_error_other": "Vuoti", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "Si è verificato un errore di API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Abilita HTTPS", - "enable_the_conversation_agent": "Abilita l'agente di conversazione", - "language_code": "Codice lingua", - "select_test_server": "Seleziona il server di prova", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "RSSI minimo", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Modalità scansione Bluetooth", + "passive_scanning": "Scansione passiva", + "samsungtv_smart_options": "Opzioni SamsungTV Smart", + "data_use_st_status_info": "Usa informazioni Stato TV da SmartThings", + "data_use_st_channel_info": "Usa informazioni Canale TV da SmartThings", + "data_show_channel_number": "Usa informazioni Numero Canale TV da SmartThings", + "data_app_load_method": "Modalità caricamento lista applicazioni all'avvio", + "data_use_local_logo": "Permetti l'uso delle immagini logo locali", + "data_power_on_method": "Metodo usato per accendere la TV", + "show_options_menu": "Mostra menu opzioni", + "samsungtv_smart_options_menu": "Menù opzioni SamsungTV Smart", + "applications_list_configuration": "Configurazione lista applicazioni", + "channels_list_configuration": "Configurazione lista canali", + "standard_options": "Opzioni standard", + "save_options_and_exit": "Salva le opzioni ed esci", + "sources_list_configuration": "Configurazione lista sorgenti", + "synched_entities_configuration": "Configurazione entità collegate", + "samsungtv_smart_advanced_options": "Opzioni avanzate SamsungTV Smart", + "applications_launch_method_used": "Metodo usato per lanciare le applicazioni", + "data_power_on_delay": "Secondi di ritardo per passaggio allo stato ON", + "data_ext_power_entity": "Binary sensor usato per aiutare a identificare lo stato", + "samsungtv_smart_synched_entities": "Entità collegate SamsungTV Smart", + "app_list_title": "Configurazione lista applicazioni SamsungTV Smart", + "applications_list": "Lista applicazioni:", + "channel_list_title": "Configurazione lista canali SamsungTV Smart", + "channels_list": "Lista canali:", + "source_list_title": "Configurazione lista sorgenti SamsungTV Smart", + "sources_list": "Lista sorgenti:", + "error_invalid_tv_list": "Formato not valido. Controlla la documentazione", "device_dev_name_successfully_action": "Dispositivo {dev_name} {action} con successo.", "localtuya_configuration": "Configurazione LocalTuya", "init_description": "Seleziona l'azione desiderata.", @@ -2195,6 +2264,23 @@ "enable_heuristic_action_optional": "Abilita azione euristica (opzionale)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Abilita l'agente di conversazione", + "language_code": "Codice lingua", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "RSSI minimo", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Accesso di Home Assistant a Google Calendar", + "ignore_cec": "Ignora CEC", + "allowed_uuids": "UUID consentiti", + "advanced_google_cast_configuration": "Configurazione avanzata di Google Cast", "broker_options": "Opzioni del broker", "enable_birth_message": "Abilita messaggio di nascita", "birth_message_payload": "Payload del messaggio birth", @@ -2208,106 +2294,37 @@ "will_message_retain": "Persistenza del messaggio will", "will_message_topic": "Argomento del messaggio will", "mqtt_options": "Opzioni MQTT", - "ignore_cec": "Ignora CEC", - "allowed_uuids": "UUID consentiti", - "advanced_google_cast_configuration": "Configurazione avanzata di Google Cast", - "samsungtv_smart_options": "Opzioni SamsungTV Smart", - "data_use_st_status_info": "Usa informazioni Stato TV da SmartThings", - "data_use_st_channel_info": "Usa informazioni Canale TV da SmartThings", - "data_show_channel_number": "Usa informazioni Numero Canale TV da SmartThings", - "data_app_load_method": "Modalità caricamento lista applicazioni all'avvio", - "data_use_local_logo": "Permetti l'uso delle immagini logo locali", - "data_power_on_method": "Metodo usato per accendere la TV", - "show_options_menu": "Mostra menu opzioni", - "samsungtv_smart_options_menu": "Menù opzioni SamsungTV Smart", - "applications_list_configuration": "Configurazione lista applicazioni", - "channels_list_configuration": "Configurazione lista canali", - "standard_options": "Opzioni standard", - "save_options_and_exit": "Salva le opzioni ed esci", - "sources_list_configuration": "Configurazione lista sorgenti", - "synched_entities_configuration": "Configurazione entità collegate", - "samsungtv_smart_advanced_options": "Opzioni avanzate SamsungTV Smart", - "applications_launch_method_used": "Metodo usato per lanciare le applicazioni", - "data_power_on_delay": "Secondi di ritardo per passaggio allo stato ON", - "data_ext_power_entity": "Binary sensor usato per aiutare a identificare lo stato", - "samsungtv_smart_synched_entities": "Entità collegate SamsungTV Smart", - "app_list_title": "Configurazione lista applicazioni SamsungTV Smart", - "applications_list": "Lista applicazioni:", - "channel_list_title": "Configurazione lista canali SamsungTV Smart", - "channels_list": "Lista canali:", - "source_list_title": "Configurazione lista sorgenti SamsungTV Smart", - "sources_list": "Lista sorgenti:", - "error_invalid_tv_list": "Formato not valido. Controlla la documentazione", - "bluetooth_scanner_mode": "Modalità scansione Bluetooth", + "protocol": "Protocollo", + "select_test_server": "Seleziona il server di prova", + "retry_count": "Conteggio dei tentativi di ripetizione", + "allow_deconz_clip_sensors": "Consentire sensori CLIP deCONZ", + "allow_deconz_light_groups": "Consentire gruppi luce deCONZ", + "data_allow_new_devices": "Consentire l'aggiunta automatica di nuovi dispositivi", + "deconz_devices_description": "Configura la visibilità dei tipi di dispositivi deCONZ", + "deconz_options": "Opzioni deCONZ", "invalid_url": "URL non valido", "data_browse_unfiltered": "Mostra file multimediali incompatibili durante la navigazione", "event_listener_callback_url": "URL di richiamata dell'ascoltatore di eventi", "data_listen_port": "Porta dell'ascoltatore di eventi (casuale se non impostata)", "poll_for_device_availability": "Interrogazione per la disponibilità del dispositivo", "init_title": "Configurazione DLNA Digital Media Renderer", - "passive_scanning": "Scansione passiva", - "allow_deconz_clip_sensors": "Consentire sensori CLIP deCONZ", - "allow_deconz_light_groups": "Consentire gruppi luce deCONZ", - "data_allow_new_devices": "Consentire l'aggiunta automatica di nuovi dispositivi", - "deconz_devices_description": "Configura la visibilità dei tipi di dispositivi deCONZ", - "deconz_options": "Opzioni deCONZ", - "retry_count": "Conteggio dei tentativi di ripetizione", - "data_calendar_access": "Accesso di Home Assistant a Google Calendar", - "protocol": "Protocollo", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Attiva/disattiva {entity_name}", - "disarm_entity_name": "Disattiva {entity_name}", - "turn_on_entity_name": "Attiva {entity_name}", - "entity_name_is_off": "{entity_name} è disattivato", - "entity_name_is_on": "{entity_name} è attivo", - "trigger_type_changed_states": "{entity_name} attivato o disattivato", - "entity_name_disarmed": "{entity_name} disattivato", - "entity_name_turned_on": "{entity_name} attivato", - "entity_name_is_home": "{entity_name} è in casa", - "entity_name_is_not_home": "{entity_name} non è in casa", - "entity_name_enters_a_zone": "{entity_name} entra in una zona", - "entity_name_leaves_a_zone": "{entity_name} lascia una zona", - "action_type_set_hvac_mode": "Cambia modalità HVAC su {entity_name}", - "change_preset_on_entity_name": "Modifica modalità su {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} umidità misurata modificata", - "entity_name_measured_temperature_changed": "{entity_name} temperatura misurata cambiata", - "entity_name_hvac_mode_changed": "{entity_name} modalità HVAC modificata", - "entity_name_is_buffering": "{entity_name} è in buffering", - "entity_name_is_idle": "{entity_name} è inattivo", - "entity_name_is_paused": "{entity_name} è in pausa", - "entity_name_is_playing": "{entity_name} è in esecuzione", - "entity_name_starts_buffering": "{entity_name} avvia il buffering", - "entity_name_becomes_idle": "{entity_name} diventa inattivo", - "entity_name_starts_playing": "{entity_name} inizia l'esecuzione", - "first_button": "Primo", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", + "first": "Primo", "second_button": "Secondo pulsante", "third_button": "Terzo pulsante", "fourth_button": "Quarto pulsante", - "fifth_button": "Quinto pulsante", - "sixth_button": "Sesto pulsante", - "subtype_double_clicked": "\"{subtype}\" cliccato due volte", - "subtype_continuously_pressed": "\"{subtype}\" premuto continuamente", - "trigger_type_button_long_release": "\"{subtype}\" rilasciato dopo una lunga pressione", - "subtype_quadruple_clicked": "\"{subtype}\" cliccato quattro volte", - "subtype_quintuple_clicked": "\"{subtype}\" cliccato cinque volte", - "subtype_pressed": "\"{subtype}\" premuto", - "subtype_released": "\"{subtype}\" rilasciato", - "subtype_triple_clicked": "\"{subtype}\" cliccato tre volte", - "decrease_entity_name_brightness": "Riduci la luminosità di {entity_name}", - "increase_entity_name_brightness": "Aumenta la luminosità di {entity_name}", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Cambia {entity_name} nella prima opzione", - "action_type_select_last": "Cambia {entity_name} all'ultima opzione", - "action_type_select_next": "Cambia {entity_name} all'opzione successiva", - "change_entity_name_option": "Cambia l'opzione {entity_name}", - "action_type_select_previous": "Cambia {entity_name} all'opzione precedente", - "current_entity_name_selected_option": "Opzione selezionata {entity_name} corrente", - "entity_name_option_changed": "Opzione {entity_name} modificata", - "entity_name_update_availability_changed": "La disponibilità dell'aggiornamento di {entity_name} è cambiata", - "entity_name_became_up_to_date": "{entity_name} è diventato aggiornato", - "trigger_type_turned_on": "{entity_name} ha un aggiornamento disponibile", "subtype_button_down": "{subtype} pulsante in giù", "subtype_button_up": "{subtype} pulsante in su", + "subtype_double_clicked": "\"{subtype}\" cliccato due volte", "subtype_double_push": "{subtype} doppia pressione", "subtype_long_clicked": "{subtype} premuto a lungo", "subtype_long_push": "{subtype} pressione prolungata", @@ -2315,8 +2332,10 @@ "subtype_single_clicked": "{subtype} premuto singolarmente", "trigger_type_single_long": "{subtype} premuto singolarmente e poi a lungo", "subtype_single_push": "{subtype} singola pressione", + "subtype_triple_clicked": "\"{subtype}\" cliccato tre volte", "subtype_triple_push": "{subtype} tripla spinta", "set_value_for_entity_name": "Imposta il valore per {entity_name}", + "value": "Valore", "lock_entity_name": "Chiudi {entity_name}", "close_entity_name_tilt": "Chiudi l'inclinazione di {entity_name}", "open_entity_name": "Apri {entity_name}", @@ -2336,7 +2355,106 @@ "entity_name_opening": "{entity_name} in apertura", "entity_name_position_changes": "{entity_name} variazioni di apertura", "entity_name_tilt_position_changes": "{entity_name} variazioni d'inclinazione", - "send_a_notification": "Invia una notifica", + "entity_name_battery_is_low": "{entity_name} la batteria è scarica", + "entity_name_is_charging": "{entity_name} è in carica", + "condition_type_is_co": "{entity_name} sta rilevando il monossido di carbonio", + "entity_name_is_cold": "{entity_name} è freddo", + "entity_name_plugged_in": "{entity_name} è collegato", + "entity_name_is_detecting_gas": "{entity_name} sta rilevando il gas", + "entity_name_is_hot": "{entity_name} è caldo", + "entity_name_is_detecting_light": "{entity_name} sta rilevando la luce", + "entity_name_locked": "{entity_name} è chiusa", + "entity_name_is_moist": "{entity_name} è umido", + "entity_name_is_detecting_motion": "{entity_name} sta rilevando il movimento", + "entity_name_is_moving": "{entity_name} si sta muovendo", + "condition_type_is_no_co": "{entity_name} non sta rilevando il monossido di carbonio", + "condition_type_is_no_gas": "{entity_name} non sta rilevando il gas", + "condition_type_is_no_light": "{entity_name} non sta rilevando la luce", + "condition_type_is_no_motion": "{entity_name} non sta rilevando il movimento", + "condition_type_is_no_problem": "{entity_name} non sta rilevando un problema", + "condition_type_is_no_smoke": "{entity_name} non sta rilevando il fumo", + "condition_type_is_no_sound": "{entity_name} non sta rilevando il suono", + "entity_name_is_up_to_date": "{entity_name} è aggiornato", + "condition_type_is_no_vibration": "{entity_name} non sta rilevando la vibrazione", + "entity_name_battery_is_normal": "{entity_name} la batteria è normale", + "entity_name_is_not_charging": "{entity_name} non è in carica", + "entity_name_is_not_cold": "{entity_name} non è freddo", + "entity_name_disconnected": "{entity_name} è disconnesso", + "entity_name_is_not_hot": "{entity_name} non è caldo", + "entity_name_unlocked": "{entity_name} è aperta", + "entity_name_is_dry": "{entity_name} è asciutto", + "entity_name_is_not_moving": "{entity_name} non si sta muovendo", + "entity_name_is_not_occupied": "{entity_name} non è occupato", + "entity_name_unplugged": "{entity_name} è scollegato", + "entity_name_not_powered": "{entity_name} non è alimentato", + "entity_name_not_present": "{entity_name} non è presente", + "entity_name_is_not_running": "{entity_name} non è in funzionamento", + "condition_type_is_not_tampered": "{entity_name} non rileva manomissioni", + "entity_name_is_safe": "{entity_name} è sicuro", + "entity_name_is_occupied": "{entity_name} è occupato", + "entity_name_is_off": "{entity_name} è disattivato", + "entity_name_is_on": "{entity_name} è attivo", + "entity_name_powered": "{entity_name} è alimentato", + "entity_name_present": "{entity_name} è presente", + "entity_name_is_detecting_problem": "{entity_name} sta rilevando un problema", + "entity_name_is_running": "{entity_name} è in funzionamento", + "entity_name_is_detecting_smoke": "{entity_name} sta rilevando il fumo", + "entity_name_is_detecting_sound": "{entity_name} sta rilevando il suono", + "entity_name_is_detecting_tampering": "{entity_name} rileva manomissioni", + "entity_name_is_unsafe": "{entity_name} non è sicuro", + "trigger_type_turned_on": "{entity_name} ha un aggiornamento disponibile", + "entity_name_is_detecting_vibration": "{entity_name} sta rilevando la vibrazione", + "entity_name_battery_low": "{entity_name} batteria scarica", + "entity_name_charging": "{entity_name} in carica", + "trigger_type_co": "{entity_name} ha iniziato a rilevare il monossido di carbonio", + "entity_name_became_cold": "{entity_name} è diventato freddo", + "entity_name_connected": "{entity_name} è connesso", + "entity_name_started_detecting_gas": "{entity_name} ha iniziato a rilevare il gas", + "entity_name_became_hot": "{entity_name} è diventato caldo", + "entity_name_started_detecting_light": "{entity_name} ha iniziato a rilevare la luce", + "entity_name_became_moist": "{entity_name} diventato umido", + "entity_name_started_detecting_motion": "{entity_name} ha iniziato a rilevare il movimento", + "entity_name_started_moving": "{entity_name} ha iniziato a muoversi", + "trigger_type_no_co": "{entity_name} ha smesso di rilevare il monossido di carbonio", + "entity_name_stopped_detecting_gas": "{entity_name} ha smesso la rilevazione di gas", + "entity_name_stopped_detecting_light": "{entity_name} smesso il rilevamento di luce", + "entity_name_stopped_detecting_motion": "{entity_name} ha smesso di rilevare il movimento", + "entity_name_stopped_detecting_problem": "{entity_name} ha smesso di rilevare un problema", + "entity_name_stopped_detecting_smoke": "{entity_name} ha smesso la rilevazione di fumo", + "entity_name_stopped_detecting_sound": "{entity_name} ha smesso di rilevare il suono", + "entity_name_became_up_to_date": "{entity_name} è stato aggiornato", + "entity_name_stopped_detecting_vibration": "{entity_name} ha smesso di rilevare le vibrazioni", + "entity_name_battery_normal": "{entity_name} batteria normale", + "entity_name_not_charging": "{entity_name} non in carica", + "entity_name_became_not_cold": "{entity_name} non è diventato freddo", + "entity_name_became_not_hot": "{entity_name} non è diventato caldo", + "entity_name_became_dry": "{entity_name} è diventato asciutto", + "entity_name_stopped_moving": "{entity_name} ha smesso di muoversi", + "trigger_type_not_running": "{entity_name} non è più in funzione", + "entity_name_stopped_detecting_tampering": "{entity_name} ha smesso di rilevare manomissioni", + "entity_name_became_safe": "{entity_name} è diventato sicuro", + "entity_name_became_occupied": "{entity_name} è diventato occupato", + "entity_name_started_detecting_problem": "{entity_name} ha iniziato a rilevare un problema", + "entity_name_started_running": "{entity_name} ha iniziato a funzionare", + "entity_name_started_detecting_smoke": "{entity_name} ha iniziato la rilevazione di fumo", + "entity_name_started_detecting_sound": "{entity_name} ha iniziato il rilevamento del suono", + "entity_name_started_detecting_tampering": "{entity_name} ha iniziato a rilevare manomissioni", + "entity_name_disarmed": "{entity_name} disattivato", + "entity_name_turned_on": "{entity_name} attivato", + "entity_name_became_unsafe": "{entity_name} diventato non sicuro", + "trigger_type_update": "{entity_name} ha ottenuto un aggiornamento disponibile", + "entity_name_started_detecting_vibration": "{entity_name} iniziato a rilevare le vibrazioni", + "entity_name_is_buffering": "{entity_name} è in buffering", + "entity_name_is_idle": "{entity_name} è inattivo", + "entity_name_is_paused": "{entity_name} è in pausa", + "entity_name_is_playing": "{entity_name} è in esecuzione", + "entity_name_starts_buffering": "{entity_name} avvia il buffering", + "trigger_type_changed_states": "{entity_name} attivato o disattivato", + "entity_name_becomes_idle": "{entity_name} diventa inattivo", + "entity_name_starts_playing": "{entity_name} inizia l'esecuzione", + "toggle_entity_name": "Attiva/disattiva {entity_name}", + "disarm_entity_name": "Disattiva {entity_name}", + "turn_on_entity_name": "Attiva {entity_name}", "arm_entity_name_away": "Attiva {entity_name} fuori casa", "arm_entity_name_home": "Attiva {entity_name} casa", "arm_entity_name_night": "Attiva {entity_name} notte", @@ -2352,12 +2470,24 @@ "entity_name_armed_home": "{entity_name} attivato in modalità a casa", "entity_name_armed_night": "{entity_name} attivato in modalità notte", "entity_name_armed_vacation": "{entity_name} attivato in modalità vacanza", + "entity_name_is_home": "{entity_name} è in casa", + "entity_name_is_not_home": "{entity_name} non è in casa", + "entity_name_enters_a_zone": "{entity_name} entra in una zona", + "entity_name_leaves_a_zone": "{entity_name} lascia una zona", + "unlock_entity_name": "Sblocca {entity_name}", + "action_type_set_hvac_mode": "Cambia modalità HVAC su {entity_name}", + "change_preset_on_entity_name": "Modifica modalità su {entity_name}", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} umidità misurata modificata", + "entity_name_measured_temperature_changed": "{entity_name} temperatura misurata cambiata", + "entity_name_hvac_mode_changed": "{entity_name} modalità HVAC modificata", "current_entity_name_apparent_power": "Potenza apparente attuale di {entity_name}", "condition_type_is_aqi": "Indice di qualità dell'aria attuale di {entity_name}", "current_entity_name_atmospheric_pressure": "Pressione atmosferica attuale di {entity_name}", "current_entity_name_battery_level": "Livello della batteria attuale di {entity_name}", "condition_type_is_carbon_dioxide": "Livello di concentrazione attuale di anidride carbonica di {entity_name}", "condition_type_is_carbon_monoxide": "Livello attuale di concentrazione di monossido di carbonio in {entity_name}", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Corrente attuale di {entity_name}", "current_entity_name_data_rate": "Velocità di trasmissione dati corrente di {entity_name}", "current_entity_name_data_size": "Dimensione dati corrente di {entity_name}", @@ -2401,6 +2531,7 @@ "entity_name_battery_level_changes": "variazioni del livello di batteria di {entity_name} ", "trigger_type_carbon_dioxide": "Variazioni della concentrazione di anidride carbonica di {entity_name}", "trigger_type_carbon_monoxide": "Variazioni nella concentrazione di monossido di carbonio di {entity_name}", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "Variazioni di corrente di {entity_name}", "entity_name_data_rate_changes": "{entity_name} modifiche alla velocità dei dati", "entity_name_data_size_changes": "Variazione della dimensione dei dati di {entity_name}", @@ -2439,123 +2570,68 @@ "entity_name_water_changes": "{entity_name} variazioni d'acqua", "entity_name_weight_changes": "Variazioni di peso di {entity_name}", "entity_name_wind_speed_changes": "Variazione della velocità del vento di {entity_name}", + "decrease_entity_name_brightness": "Riduci la luminosità di {entity_name}", + "increase_entity_name_brightness": "Aumenta la luminosità di {entity_name}", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Quinto pulsante", + "sixth_button": "Sesto pulsante", + "subtype_continuously_pressed": "\"{subtype}\" premuto continuamente", + "trigger_type_button_long_release": "\"{subtype}\" rilasciato dopo una lunga pressione", + "subtype_quadruple_clicked": "\"{subtype}\" cliccato quattro volte", + "subtype_quintuple_clicked": "\"{subtype}\" cliccato cinque volte", + "subtype_pressed": "\"{subtype}\" premuto", + "subtype_released": "\"{subtype}\" rilasciato", + "action_type_select_first": "Cambia {entity_name} nella prima opzione", + "action_type_select_last": "Cambia {entity_name} all'ultima opzione", + "action_type_select_next": "Cambia {entity_name} all'opzione successiva", + "change_entity_name_option": "Cambia l'opzione {entity_name}", + "action_type_select_previous": "Cambia {entity_name} all'opzione precedente", + "current_entity_name_selected_option": "Opzione selezionata {entity_name} corrente", + "cycle": "Ciclo", + "from": "From", + "entity_name_option_changed": "Opzione {entity_name} modificata", + "send_a_notification": "Invia una notifica", + "bottom_buttons": "Pulsanti inferiori", + "seventh_button": "Settimo pulsante", + "eighth_button": "Ottavo pulsante", + "dim_down": "Diminuisce luminosità", + "dim_up": "Aumenta luminosità", + "left": "Sinistra", + "right": "Destra", + "side": "Lato 6", + "top_buttons": "Pulsanti superiori", + "device_awakened": "Dispositivo risvegliato", + "button_rotated_subtype": "Pulsante ruotato \"{subtype}\"", + "button_rotated_fast_subtype": "Pulsante ruotato velocemente \"{subtype}\"", + "button_rotation_subtype_stopped": "La rotazione dei pulsanti \"{subtype}\" si è arrestata", + "device_subtype_double_tapped": "Dispositivo \"{subtype}\" toccato due volte", + "trigger_type_remote_double_tap_any_side": "Dispositivo toccato due volte su qualsiasi lato", + "device_in_free_fall": "Dispositivo in caduta libera", + "device_flipped_degrees": "Dispositivo capovolto di 90 gradi", + "device_shaken": "Dispositivo in vibrazione", + "trigger_type_remote_moved": "Dispositivo spostato con \"{subtype}\" verso l'alto", + "trigger_type_remote_moved_any_side": "Dispositivo spostato con qualsiasi lato verso l'alto", + "trigger_type_remote_rotate_from_side": "Dispositivo ruotato da \"lato 6\" a \"{subtype}\"", + "device_turned_clockwise": "Dispositivo ruotato in senso orario", + "device_turned_counter_clockwise": "Dispositivo ruotato in senso antiorario", "press_entity_name_button": "Premi il pulsante {entity_name}", "entity_name_has_been_pressed": "{entity_name} è stato premuto", - "entity_name_battery_is_low": "{entity_name} la batteria è scarica", - "entity_name_is_charging": "{entity_name} è in carica", - "condition_type_is_co": "{entity_name} sta rilevando il monossido di carbonio", - "entity_name_is_cold": "{entity_name} è freddo", - "entity_name_plugged_in": "{entity_name} è collegato", - "entity_name_is_detecting_gas": "{entity_name} sta rilevando il gas", - "entity_name_is_hot": "{entity_name} è caldo", - "entity_name_is_detecting_light": "{entity_name} sta rilevando la luce", - "entity_name_locked": "{entity_name} è chiusa", - "entity_name_is_moist": "{entity_name} è umido", - "entity_name_is_detecting_motion": "{entity_name} sta rilevando il movimento", - "entity_name_is_moving": "{entity_name} si sta muovendo", - "condition_type_is_no_co": "{entity_name} non sta rilevando il monossido di carbonio", - "condition_type_is_no_gas": "{entity_name} non sta rilevando il gas", - "condition_type_is_no_light": "{entity_name} non sta rilevando la luce", - "condition_type_is_no_motion": "{entity_name} non sta rilevando il movimento", - "condition_type_is_no_problem": "{entity_name} non sta rilevando un problema", - "condition_type_is_no_smoke": "{entity_name} non sta rilevando il fumo", - "condition_type_is_no_sound": "{entity_name} non sta rilevando il suono", - "entity_name_is_up_to_date": "{entity_name} è aggiornato", - "condition_type_is_no_vibration": "{entity_name} non sta rilevando la vibrazione", - "entity_name_battery_is_normal": "{entity_name} la batteria è normale", - "entity_name_is_not_charging": "{entity_name} non è in carica", - "entity_name_is_not_cold": "{entity_name} non è freddo", - "entity_name_disconnected": "{entity_name} è disconnesso", - "entity_name_is_not_hot": "{entity_name} non è caldo", - "entity_name_unlocked": "{entity_name} è aperta", - "entity_name_is_dry": "{entity_name} è asciutto", - "entity_name_is_not_moving": "{entity_name} non si sta muovendo", - "entity_name_is_not_occupied": "{entity_name} non è occupato", - "entity_name_unplugged": "{entity_name} è scollegato", - "entity_name_not_powered": "{entity_name} non è alimentato", - "entity_name_not_present": "{entity_name} non è presente", - "entity_name_is_not_running": "{entity_name} non è in funzionamento", - "condition_type_is_not_tampered": "{entity_name} non rileva manomissioni", - "entity_name_is_safe": "{entity_name} è sicuro", - "entity_name_is_occupied": "{entity_name} è occupato", - "entity_name_powered": "{entity_name} è alimentato", - "entity_name_present": "{entity_name} è presente", - "entity_name_is_detecting_problem": "{entity_name} sta rilevando un problema", - "entity_name_is_running": "{entity_name} è in funzionamento", - "entity_name_is_detecting_smoke": "{entity_name} sta rilevando il fumo", - "entity_name_is_detecting_sound": "{entity_name} sta rilevando il suono", - "entity_name_is_detecting_tampering": "{entity_name} rileva manomissioni", - "entity_name_is_unsafe": "{entity_name} non è sicuro", - "entity_name_is_detecting_vibration": "{entity_name} sta rilevando la vibrazione", - "entity_name_battery_low": "{entity_name} batteria scarica", - "entity_name_charging": "{entity_name} in carica", - "trigger_type_co": "{entity_name} ha iniziato a rilevare il monossido di carbonio", - "entity_name_became_cold": "{entity_name} è diventato freddo", - "entity_name_connected": "{entity_name} è connesso", - "entity_name_started_detecting_gas": "{entity_name} ha iniziato a rilevare il gas", - "entity_name_became_hot": "{entity_name} è diventato caldo", - "entity_name_started_detecting_light": "{entity_name} ha iniziato a rilevare la luce", - "entity_name_became_moist": "{entity_name} diventato umido", - "entity_name_started_detecting_motion": "{entity_name} ha iniziato a rilevare il movimento", - "entity_name_started_moving": "{entity_name} ha iniziato a muoversi", - "trigger_type_no_co": "{entity_name} ha smesso di rilevare il monossido di carbonio", - "entity_name_stopped_detecting_gas": "{entity_name} ha smesso la rilevazione di gas", - "entity_name_stopped_detecting_light": "{entity_name} smesso il rilevamento di luce", - "entity_name_stopped_detecting_motion": "{entity_name} ha smesso di rilevare il movimento", - "entity_name_stopped_detecting_problem": "{entity_name} ha smesso di rilevare un problema", - "entity_name_stopped_detecting_smoke": "{entity_name} ha smesso la rilevazione di fumo", - "entity_name_stopped_detecting_sound": "{entity_name} ha smesso di rilevare il suono", - "entity_name_stopped_detecting_vibration": "{entity_name} ha smesso di rilevare le vibrazioni", - "entity_name_battery_normal": "{entity_name} batteria normale", - "entity_name_not_charging": "{entity_name} non in carica", - "entity_name_became_not_cold": "{entity_name} non è diventato freddo", - "entity_name_became_not_hot": "{entity_name} non è diventato caldo", - "entity_name_became_dry": "{entity_name} è diventato asciutto", - "entity_name_stopped_moving": "{entity_name} ha smesso di muoversi", - "trigger_type_not_running": "{entity_name} non è più in funzione", - "entity_name_stopped_detecting_tampering": "{entity_name} ha smesso di rilevare manomissioni", - "entity_name_became_safe": "{entity_name} è diventato sicuro", - "entity_name_became_occupied": "{entity_name} è diventato occupato", - "entity_name_started_detecting_problem": "{entity_name} ha iniziato a rilevare un problema", - "entity_name_started_running": "{entity_name} ha iniziato a funzionare", - "entity_name_started_detecting_smoke": "{entity_name} ha iniziato la rilevazione di fumo", - "entity_name_started_detecting_sound": "{entity_name} ha iniziato il rilevamento del suono", - "entity_name_started_detecting_tampering": "{entity_name} ha iniziato a rilevare manomissioni", - "entity_name_became_unsafe": "{entity_name} diventato non sicuro", - "trigger_type_update": "{entity_name} ha ottenuto un aggiornamento disponibile", - "entity_name_started_detecting_vibration": "{entity_name} iniziato a rilevare le vibrazioni", - "bottom_buttons": "Pulsanti inferiori", - "seventh_button": "Settimo pulsante", - "eighth_button": "Ottavo pulsante", - "dim_down": "Diminuisce luminosità", - "dim_up": "Aumenta luminosità", - "left": "Sinistra", - "right": "Destra", - "side": "Lato 6", - "top_buttons": "Pulsanti superiori", - "device_awakened": "Dispositivo risvegliato", - "button_rotated_subtype": "Pulsante ruotato \"{subtype}\"", - "button_rotated_fast_subtype": "Pulsante ruotato velocemente \"{subtype}\"", - "button_rotation_subtype_stopped": "La rotazione dei pulsanti \"{subtype}\" si è arrestata", - "device_subtype_double_tapped": "Dispositivo \"{subtype}\" toccato due volte", - "trigger_type_remote_double_tap_any_side": "Dispositivo toccato due volte su qualsiasi lato", - "device_in_free_fall": "Dispositivo in caduta libera", - "device_flipped_degrees": "Dispositivo capovolto di 90 gradi", - "device_shaken": "Dispositivo in vibrazione", - "trigger_type_remote_moved": "Dispositivo spostato con \"{subtype}\" verso l'alto", - "trigger_type_remote_moved_any_side": "Dispositivo spostato con qualsiasi lato verso l'alto", - "trigger_type_remote_rotate_from_side": "Dispositivo ruotato da \"lato 6\" a \"{subtype}\"", - "device_turned_clockwise": "Dispositivo ruotato in senso orario", - "device_turned_counter_clockwise": "Dispositivo ruotato in senso antiorario", - "unlock_entity_name": "Sblocca {entity_name}", - "critical": "Critico", - "debug": "Debug", - "warning": "Avvertimento", + "entity_name_update_availability_changed": "La disponibilità dell'aggiornamento di {entity_name} è cambiata", "add_to_queue": "Aggiungi alla coda", "play_next": "Riproduci successivo", "options_replace": "Riproduci ora e cancella la coda", "repeat_all": "Ripeti tutto", "repeat_one": "Ripeti una volta", + "critical": "Critico", + "debug": "Debug", + "warning": "Avvertimento", + "most_recently_updated": "Aggiornato più di recente", + "arithmetic_mean": "Media aritmetica", + "median": "Mediana", + "product": "Prodotto", + "statistical_range": "Intervallo statistico", + "standard_deviation": "Deviazione standard", "alice_blue": "Blu Alice", "antique_white": "Bianco antico", "aquamarine": "Acquamarina", @@ -2674,16 +2750,110 @@ "turquoise": "Turchese", "wheat": "Grano", "white_smoke": "Fumo bianco", + "fatal": "Fatale", "no_device_class": "Nessuna classe di dispositivo", "no_state_class": "Nessuna classe di stato", "no_unit_of_measurement": "Nessuna unità di misura", - "fatal": "Fatale", - "most_recently_updated": "Aggiornato più di recente", - "arithmetic_mean": "Media aritmetica", - "median": "Mediana", - "product": "Prodotto", - "statistical_range": "Intervallo statistico", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Scarica gli oggetti del registro", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Registra ciclo di eventi pianificato", + "log_thread_frames_description": "Registra i frame correnti per tutti i thread.", + "log_thread_frames": "Registra i frame dei thread", + "lru_stats_description": "Registra le statistiche di tutte le cache lru.", + "log_lru_stats": "Registro statistiche LRU", + "starts_the_memory_profiler": "Avvia il Profilatore di memoria.", + "seconds": "Secondi", + "memory": "Memoria", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Avvia il profiler.", + "max_objects_description": "Il numero massimo di oggetti da registrare.", + "maximum_objects": "Numero massimo di oggetti", + "scan_interval_description": "Numero di secondi tra la registrazione degli oggetti.", + "scan_interval": "Intervallo di scansione", + "start_logging_object_sources": "Avvia la registrazione delle origini oggetto", + "start_log_objects_description": "Avvia la registrazione della crescita degli oggetti in memoria.", + "start_logging_objects": "Avvia la registrazione degli oggetti", + "stop_logging_object_sources": "Interrompi la registrazione delle origini oggetto", + "stop_log_objects_description": "Arresta la registrazione della crescita degli oggetti in memoria.", + "stop_logging_objects": "Interrompi la registrazione degli oggetti", + "request_sync_description": "Invia un comando request_sync a Google.", + "agent_user_id": "ID utente agente", + "request_sync": "Richiedi la sincronizzazione", + "reload_resources_description": "Ricarica le risorse della plancia dalla configurazione YAML.", + "clears_all_log_entries": "Cancella tutte le voci di registro.", + "write_log_entry": "Scrivi voce di registro.", + "log_level": "Livello di registro.", + "level": "Livello", + "message_to_log": "Messaggio da registrare.", + "write": "Scrivi", + "set_value_description": "Imposta il valore di un numero.", + "value_description": "Valore per il parametro di configurazione.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Attiva/disattiva la sirena.", + "turns_the_siren_off": "Disattiva la sirena.", + "turns_the_siren_on": "Attiva la sirena.", + "tone": "Tono", + "create_event_description": "Aggiungi un nuovo evento del calendario.", + "location_description": "Il luogo dell'evento. Opzionale.", + "start_date_description": "La data in cui dovrebbe iniziare l'evento che dura tutto il giorno.", + "create_event": "Crea Evento", + "get_events": "Get events", + "list_event": "Elenco eventi", + "closes_a_cover": "Chiude una copertina.", + "close_cover_tilt_description": "Inclina una copertura per chiuderla.", + "close_tilt": "Chiudi inclinazione", + "opens_a_cover": "Apre una copertura.", + "tilts_a_cover_open": "Inclina una copertura aperta.", + "open_tilt": "Inclinazione aperta", + "set_cover_position_description": "Sposta una copertura in una posizione specifica.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Posizione di inclinazione desiderata.", + "set_tilt_position": "Imposta la posizione di inclinazione", + "stops_the_cover_movement": "Arresta il movimento della copertura.", + "stop_cover_tilt_description": "Arresta il movimento della copertura inclinata.", + "stop_tilt": "Arresta inclinazione", + "toggles_a_cover_open_closed": "Attiva/disattiva una copertura aperta/chiusa.", + "toggle_cover_tilt_description": "Attiva/disattiva l'apertura/chiusura dell'inclinazione di una copertura.", + "toggle_tilt": "Attiva/disattiva l'inclinazione", + "check_configuration": "Controlla la configurazione", + "reload_all": "Ricarica tutto", + "reload_config_entry_description": "Ricarica la voce di configurazione specificata.", + "config_entry_id": "ID voce di configurazione", + "reload_config_entry": "Ricarica la voce di configurazione", + "reload_core_config_description": "Ricarica la configurazione principale dalla configurazione YAML.", + "reload_core_configuration": "Ricarica la configurazione del nucleo", + "reload_custom_jinja_templates": "Ricarica i modelli Jinja2 personalizzati", + "restarts_home_assistant": "Riavvia Home Assistant.", + "safe_mode_description": "Disattiva le integrazioni e le schede personalizzate.", + "save_persistent_states": "Salvare gli stati persistenti", + "set_location_description": "Aggiorna la posizione di Home Assistant.", + "elevation_of_your_location": "Altezza della tua posizione.", + "latitude_of_your_location": "Latitudine della tua posizione.", + "longitude_of_your_location": "Longitudine della tua posizione.", + "set_location": "Imposta posizione", + "stops_home_assistant": "Arresta Home Assistant.", + "generic_toggle": "Interruttore generico", + "generic_turn_off": "Spegnimento generico", + "generic_turn_on": "Accensione generica", + "update_entity": "Aggiorna entità", + "creates_a_new_backup": "Crea un nuovo backup.", + "decrement_description": "Decrementa il valore corrente di 1 passo.", + "increment_description": "Incrementa il valore di 1 passo.", + "sets_the_value": "Imposta il valore.", + "the_target_value": "Il valore obiettivo.", + "reloads_the_automation_configuration": "Ricarica la configurazione dell'automazione.", + "toggle_description": "Attiva/disattiva un lettore multimediale.", + "trigger_description": "Attiva le azioni di un'automazione.", + "skip_conditions": "Salta le condizioni", + "trigger": "Attivazione", + "disables_an_automation": "Disabilita l'automazione", + "stops_currently_running_actions": "Ferma le azioni attualmente in esecuzione", + "stop_actions": "Ferma le azioni", + "enables_an_automation": "Attiva una automazione", "restarts_an_add_on": "Riavvia un componente aggiuntivo.", "the_add_on_slug": "Lo slug del componente aggiuntivo.", "restart_add_on": "Riavvia il componente aggiuntivo.", @@ -2714,26 +2884,107 @@ "restore_partial_description": "Ripristina da un backup parziale.", "restores_home_assistant": "Ripristina Home Assistant.", "restore_from_partial_backup": "Ripristina da backup parziale.", - "broadcast_address": "Indirizzo di trasmissione", - "broadcast_port_description": "Porta dove inviare il pacchetto magico.", - "broadcast_port": "Porta di trasmissione", - "mac_address": "Indirizzo MAC", - "send_magic_packet": "Invia pacchetto magico", + "clears_the_playlist": "Cancella la playlist.", + "clear_playlist": "Cancella playlist", + "selects_the_next_track": "Seleziona il brano successivo.", + "pauses": "Pausa.", + "starts_playing": "Inizia la riproduzione.", + "toggles_play_pause": "Commuta riproduzione/pausa.", + "selects_the_previous_track": "Seleziona la traccia precedente.", + "seek": "Cerca", + "stops_playing": "Interrompe la riproduzione.", + "starts_playing_specified_media": "Avvia la riproduzione di file multimediali specificati.", + "announce": "Annuncia", + "enqueue": "Accoda", + "repeat_mode_to_set": "Modalità di ripetizione da impostare.", + "select_sound_mode_description": "Seleziona una modalità audio specifica.", + "select_sound_mode": "Seleziona la modalità audio", + "select_source": "Seleziona sorgente", + "shuffle_description": "Se la modalità shuffle è abilitata o meno.", + "unjoin": "Rimuovi la partecipazione", + "turns_down_the_volume": "Abbassa il volume.", + "volume_mute_description": "Attiva o disattiva l'audio del lettore multimediale.", + "is_volume_muted_description": "Definisce se è disattivato o meno.", + "mute_unmute_volume": "Disattiva/riattiva il volume", + "sets_the_volume_level": "Imposta il livello del volume.", + "set_volume": "Imposta il volume", + "turns_up_the_volume": "Alza il volume.", + "apply_filter": "Applica il filtro", + "days_to_keep": "Giorni da conservare", + "repack": "Riorganizza", + "purge": "Pulizia", + "domains_to_remove": "Domini da rimuovere", + "entity_globs_to_remove": "Entità globali da rimuovere", + "entities_to_remove": "Entities to remove", + "purge_entities": "Elimina le entità", + "decrease_speed_description": "Diminuisce la velocità del ventilatore.", + "percentage_step_description": "Aumenta la velocità di un passo percentuale.", + "decrease_speed": "Diminuisci la velocità", + "increase_speed_description": "Aumenta la velocità del ventilatore.", + "increase_speed": "Aumenta la velocità", + "oscillate_description": "Controlla l'oscillazione del ventilatore.", + "turn_on_off_oscillation": "Attiva/disattiva l'oscillazione.", + "set_direction_description": "Imposta la direzione di rotazione della ventola.", + "direction_to_rotate": "Direzione di rotazione.", + "set_direction": "Imposta la direzione", + "sets_the_fan_speed": "Imposta la velocità del ventilatore.", + "speed_of_the_fan": "Velocità del ventilatore.", + "percentage": "Percentuale", + "set_speed": "Imposta la velocità", + "sets_preset_mode": "Imposta la modalità preimpostata.", + "set_preset_mode": "Imposta la modalità preimpostata", + "toggles_the_fan_on_off": "Attiva/disattiva il ventilatore.", + "turns_fan_off": "Spegne il ventilatore.", + "turns_fan_on": "Accende il ventilatore.", + "apply_description": "Attiva una scena con configurazione.", + "entities_description": "Elenco delle entità e relativo stato di destinazione.", + "entities_state": "Stato delle entità", + "transition": "Transition", + "apply": "Applica", + "creates_a_new_scene": "Crea una nuova scena.", + "scene_id_description": "L'ID entità della nuova scena.", + "scene_entity_id": "ID entità scena", + "snapshot_entities": "Entità istantanea", + "delete_description": "Elimina una scena creata dinamicamente.", + "activates_a_scene": "Attiva una scena.", + "selects_the_first_option": "Seleziona la prima opzione.", + "selects_the_last_option": "Seleziona l'ultima opzione.", + "select_the_next_option": "Seleziona l'opzione successiva.", + "selects_an_option": "Seleziona un'opzione.", + "option_to_be_selected": "Opzione da selezionare.", + "selects_the_previous_option": "Seleziona l'opzione precedente.", + "sets_the_options": "Imposta le opzioni.", + "list_of_options": "Elenco delle opzioni.", + "set_options": "Imposta le opzioni", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Carica un URL su Fully Kiosk Browser.", + "url_to_load": "URL da caricare.", + "load_url": "Carica URL", + "configuration_parameter_to_set": "Parametro di configurazione da impostare.", + "key": "Chiave", + "set_configuration": "Imposta configurazione", + "application_description": "Nome del pacchetto dell'applicazione da avviare.", + "application": "Applicazione", + "start_application": "Avvia applicazione", "command_description": "Comandi da inviare a Google Assistant.", "command": "Comando", "media_player_entity": "Entità lettore multimediale", "send_text_command": "Invia comando di testo", - "clear_tts_cache": "Svuota la cache di sintesi vocale", - "cache": "Cache", - "entity_id_description": "Entità a cui fare riferimento nella voce del registro.", - "language_description": "Lingua del testo. L'impostazione predefinita è la lingua del server.", - "options_description": "Un dizionario contenente opzioni specifiche per l'integrazione.", - "say_a_tts_message": "Pronuncia un messaggio di sintesi vocale", - "media_player_entity_id_description": "Lettori multimediali per riprodurre il messaggio.", - "stops_a_running_script": "Arresta uno script in esecuzione.", - "request_sync_description": "Invia un comando request_sync a Google.", - "agent_user_id": "ID utente agente", - "request_sync": "Richiedi la sincronizzazione", + "code_description": "Codice utilizzato per sbloccare la serratura.", + "arm_with_custom_bypass": "Attiva con esclusione personalizzata", + "alarm_arm_vacation_description": "Imposta l'allarme su: _attivo per vacanza_.", + "disarms_the_alarm": "Disattiva l'allarme.", + "alarm_trigger_description": "Abilita l'attivazione di un allarme esterno.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Scarica il file da un determinato URL.", "sets_a_random_effect": "Imposta un effetto casuale.", "sequence_description": "Elenco delle sequenze HSV (Max 16).", "backgrounds": "Sfondi", @@ -2750,7 +3001,6 @@ "saturation_range": "Intervallo di saturazione", "segments_description": "Elenco dei segmenti (0 per tutti).", "segments": "Segmenti", - "transition": "Transizione", "range_of_transition": "Intervallo di transizione.", "transition_range": "Intervallo di transizione", "random_effect": "Effetto casuale", @@ -2761,61 +3011,7 @@ "speed_of_spread": "Velocità di diffusione.", "spread": "Diffusione", "sequence_effect": "Effetto sequenza", - "check_configuration": "Controlla la configurazione", - "reload_all": "Ricarica tutto", - "reload_config_entry_description": "Ricarica la voce di configurazione specificata.", - "config_entry_id": "ID voce di configurazione", - "reload_config_entry": "Ricarica la voce di configurazione", - "reload_core_config_description": "Ricarica la configurazione principale dalla configurazione YAML.", - "reload_core_configuration": "Ricarica la configurazione del nucleo", - "reload_custom_jinja_templates": "Ricarica i modelli Jinja2 personalizzati", - "restarts_home_assistant": "Riavvia Home Assistant.", - "safe_mode_description": "Disattiva le integrazioni e le schede personalizzate.", - "save_persistent_states": "Salvare gli stati persistenti", - "set_location_description": "Aggiorna la posizione di Home Assistant.", - "elevation_of_your_location": "Altezza della tua posizione.", - "latitude_of_your_location": "Latitudine della tua posizione.", - "longitude_of_your_location": "Longitudine della tua posizione.", - "set_location": "Imposta posizione", - "stops_home_assistant": "Arresta Home Assistant.", - "generic_toggle": "Interruttore generico", - "generic_turn_off": "Spegnimento generico", - "generic_turn_on": "Accensione generica", - "update_entity": "Aggiorna entità", - "create_event_description": "Aggiungi un nuovo evento del calendario.", - "location_description": "Il luogo dell'evento. Opzionale.", - "start_date_description": "La data in cui dovrebbe iniziare l'evento che dura tutto il giorno.", - "create_event": "Crea Evento", - "get_events": "Get events", - "list_event": "Elenco eventi", - "toggles_a_switch_on_off": "Attiva/disattiva un interruttore.", - "turns_a_switch_off": "Spegne un interruttore.", - "turns_a_switch_on": "Accende un interruttore.", - "disables_the_motion_detection": "Disabilita il rilevamento del movimento.", - "disable_motion_detection": "Disabilita il rilevamento del movimento", - "enables_the_motion_detection": "Abilita il rilevamento del movimento.", - "enable_motion_detection": "Abilita il rilevamento del movimento", - "format_description": "Formato di streaming supportato dal lettore multimediale.", - "format": "Formato", - "media_player_description": "Lettori multimediali su cui eseguire lo streaming.", - "play_stream": "Riproduci stream", - "filename": "Nome del file", - "lookback": "Retrospettiva", - "snapshot_description": "Scatta un'istantanea da una fotocamera.", - "take_snapshot": "Scatta un'istantanea", - "turns_off_the_camera": "Spegne la fotocamera.", - "turns_on_the_camera": "Accende la fotocamera.", - "notify_description": "Invia un messaggio di notifica alle destinazioni selezionate.", - "data": "Dati", - "message_description": "Corpo del messaggio della notifica.", - "title_for_your_notification": "Il titolo per la tua notifica.", - "title_of_the_notification": "Titolo della notifica.", - "send_a_persistent_notification": "Invia una notifica permanente", - "sends_a_notification_message": "Invia un messaggio di notifica.", - "your_notification_message": "Il tuo messaggio di notifica.", - "title_description": "Titolo facoltativo della notifica.", - "send_a_notification_message": "Invia un messaggio di notifica", - "creates_a_new_backup": "Crea un nuovo backup.", + "press_the_button_entity": "Premere il pulsante entità", "see_description": "Registra un dispositivo tracciato visto.", "battery_description": "Livello della batteria del dispositivo.", "gps_coordinates": "Coordinate GPS", @@ -2823,18 +3019,48 @@ "hostname_of_the_device": "Nome host del dispositivo.", "hostname": "Nome host", "mac_description": "Indirizzo MAC del dispositivo.", + "mac_address": "Indirizzo MAC", "see": "Vedi", - "log_description": "Crea una voce personalizzata nel registro.", - "apply_description": "Attiva una scena con configurazione.", - "entities_description": "Elenco delle entità e relativo stato di destinazione.", - "entities_state": "Stato delle entità", - "apply": "Applica", - "creates_a_new_scene": "Crea una nuova scena.", - "scene_id_description": "L'ID entità della nuova scena.", - "scene_entity_id": "ID entità scena", - "snapshot_entities": "Entità istantanea", - "delete_description": "Elimina una scena creata dinamicamente.", - "activates_a_scene": "Attiva una scena.", + "process_description": "Avvia una conversazione da un testo trascritto.", + "agent": "Agente", + "conversation_id": "ID conversazione", + "language_description": "Lingua da utilizzare per la generazione vocale.", + "transcribed_text_input": "Inserimento del testo trascritto.", + "process": "Processo", + "reloads_the_intent_configuration": "Ricarica la configurazione degli intenti.", + "conversation_agent_to_reload": "Agente di conversazione da ricaricare.", + "create_description": "Mostra una notifica nel pannello **Notifiche**.", + "message_description": "Messaggio della voce del registro.", + "notification_id": "ID di notifica", + "title_description": "Titolo per la tua notifica.", + "dismiss_description": "Rimuovi una notifica dal pannello **Notifiche**.", + "notification_id_description": "ID della notifica da rimuovere.", + "dismiss_all_description": "Rimuove tutte le notifiche dal pannello **Notifiche**.", + "notify_description": "Invia un messaggio di notifica alle destinazioni selezionate.", + "data": "Dati", + "title_for_your_notification": "Il titolo per la tua notifica.", + "title_of_the_notification": "Titolo della notifica.", + "send_a_persistent_notification": "Invia una notifica permanente", + "sends_a_notification_message": "Invia un messaggio di notifica.", + "your_notification_message": "Il tuo messaggio di notifica.", + "send_a_notification_message": "Invia un messaggio di notifica", + "device_description": "ID dispositivo a cui inviare il comando.", + "delete_command": "Elimina comando", + "alternative": "Alternativa", + "command_type_description": "Il tipo di comando da apprendere.", + "command_type": "Tipo di comando", + "timeout_description": "Timeout per l'apprendimento del comando.", + "learn_command": "Impara il comando", + "delay_seconds": "Ritardo in secondi", + "hold_seconds": "Attesa secondi", + "send_command": "Invia comando", + "toggles_a_device_on_off": "Attiva/disattiva un dispositivo.", + "turns_the_device_off": "Spegne il dispositivo.", + "turn_on_description": "Invia il comando di accensione.", + "stops_a_running_script": "Arresta uno script in esecuzione.", + "locks_a_lock": "Blocca una serratura.", + "opens_a_lock": "Apre una serratura.", + "unlocks_a_lock": "Sblocca una serratura.", "turns_auxiliary_heater_on_off": "Accende/spegne il riscaldatore ausiliario.", "aux_heat_description": "Nuovo valore del riscaldatore ausiliario.", "turn_on_off_auxiliary_heater": "Attiva/disattiva il riscaldatore ausiliario", @@ -2846,8 +3072,6 @@ "sets_hvac_operation_mode": "Imposta la modalità di funzionamento HVAC.", "hvac_operation_mode": "Modalità di funzionamento HVAC.", "set_hvac_mode": "Imposta la modalità HVAC", - "sets_preset_mode": "Imposta la modalità preimpostata.", - "set_preset_mode": "Imposta la modalità preimpostata", "sets_swing_operation_mode": "Imposta la modalità di funzionamento dell'oscillazione.", "swing_operation_mode": "Modalità di funzionamento oscillante.", "set_swing_mode": "Imposta la modalità oscillazione", @@ -2859,51 +3083,32 @@ "set_target_temperature": "Imposta la temperatura desiderata", "turns_climate_device_off": "Spegne il dispositivo di climatizzazione.", "turns_climate_device_on": "Accende il dispositivo di climatizzazione.", - "clears_all_log_entries": "Cancella tutte le voci di registro.", - "write_log_entry": "Scrivi voce di registro.", - "log_level": "Livello di registro.", - "level": "Livello", - "message_to_log": "Messaggio da registrare.", - "write": "Scrivi", - "device_description": "ID dispositivo a cui inviare il comando.", - "delete_command": "Elimina comando", - "alternative": "Alternativa", - "command_type_description": "Il tipo di comando da apprendere.", - "command_type": "Tipo di comando", - "timeout_description": "Timeout per l'apprendimento del comando.", - "learn_command": "Impara il comando", - "delay_seconds": "Ritardo in secondi", - "hold_seconds": "Attesa secondi", - "send_command": "Invia comando", - "toggles_a_device_on_off": "Attiva/disattiva un dispositivo.", - "turns_the_device_off": "Spegne il dispositivo.", - "turn_on_description": "Invia il comando di accensione.", - "clears_the_playlist": "Cancella la playlist.", - "clear_playlist": "Cancella playlist", - "selects_the_next_track": "Seleziona il brano successivo.", - "pauses": "Pausa.", - "starts_playing": "Inizia la riproduzione.", - "toggles_play_pause": "Commuta riproduzione/pausa.", - "selects_the_previous_track": "Seleziona la traccia precedente.", - "seek": "Cerca", - "stops_playing": "Interrompe la riproduzione.", - "starts_playing_specified_media": "Avvia la riproduzione di file multimediali specificati.", - "announce": "Annuncia", - "enqueue": "Accoda", - "repeat_mode_to_set": "Modalità di ripetizione da impostare.", - "select_sound_mode_description": "Seleziona una modalità audio specifica.", - "select_sound_mode": "Seleziona la modalità audio", - "select_source": "Seleziona sorgente", - "shuffle_description": "Se la modalità shuffle è abilitata o meno.", - "toggle_description": "Attiva/disattiva (abilita/disabilita) un'automazione.", - "unjoin": "Rimuovi la partecipazione", - "turns_down_the_volume": "Abbassa il volume.", - "volume_mute_description": "Attiva o disattiva l'audio del lettore multimediale.", - "is_volume_muted_description": "Definisce se è disattivato o meno.", - "mute_unmute_volume": "Disattiva/riattiva il volume", - "sets_the_volume_level": "Imposta il livello del volume.", - "set_volume": "Imposta il volume", - "turns_up_the_volume": "Alza il volume.", + "add_event_description": "Aggiunge un nuovo evento al calendario.", + "calendar_id_description": "L'id del calendario desiderato.", + "calendar_id": "ID calendario", + "description_description": "La descrizione dell'evento. Opzionale.", + "summary_description": "Funge da titolo dell'evento.", + "creates_event": "Crea evento", + "dashboard_path": "Percorso della plancia", + "view_path": "Visualizza il percorso", + "show_dashboard_view": "Mostra la vista della plancia", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Spegni una o più luci.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", "topic_to_listen_to": "Argomento da ascoltare.", "topic": "Argomento", "export": "Esporta", @@ -2915,200 +3120,58 @@ "retain": "Conserva", "topic_to_publish_to": "Argomento in cui pubblicare.", "publish": "Pubblica", - "brightness_value": "Valore di luminosità", - "a_human_readable_color_name": "Un nome di colore leggibile dall'uomo.", - "color_name": "Nome del colore", - "color_temperature_in_mireds": "Temperatura di colore in mireds.", - "light_effect": "Effetto luce.", - "flash": "Flash", - "hue_sat_color": "Tonalità/Saturazione colore", - "color_temperature_in_kelvin": "Temperatura di colore in Kelvin.", - "profile_description": "Nome di un profilo luce da utilizzare.", - "white_description": "Imposta la luce in modalità bianca.", - "xy_color": "Colore XY", - "turn_off_description": "Spegni una o più luci.", - "brightness_step_description": "Cambia la luminosità di una quantità.", - "brightness_step_value": "Valore del passo di luminosità", - "brightness_step_pct_description": "Cambia la luminosità di una percentuale.", - "brightness_step": "Passo di luminosità", - "rgbw_color": "Colore RGBW", - "rgbww_color": "Colore RGBWW", - "reloads_the_automation_configuration": "Ricarica la configurazione dell'automazione.", - "trigger_description": "Attiva le azioni di un'automazione.", - "skip_conditions": "Salta le condizioni", - "trigger": "Attivazione", - "disables_an_automation": "Disabilita l'automazione", - "stops_currently_running_actions": "Ferma le azioni attualmente in esecuzione", - "stop_actions": "Ferma le azioni", - "enables_an_automation": "Attiva una automazione", - "dashboard_path": "Percorso della plancia", - "view_path": "Visualizza il percorso", - "show_dashboard_view": "Mostra la vista della plancia", - "toggles_the_siren_on_off": "Attiva/disattiva la sirena.", - "turns_the_siren_off": "Disattiva la sirena.", - "turns_the_siren_on": "Attiva la sirena.", - "tone": "Tono", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Scarica il file da un determinato URL.", - "removes_a_group": "Rimuove un gruppo.", - "object_id": "ID oggetto", - "creates_updates_a_user_group": "Crea/aggiorna un gruppo di utenti.", - "add_entities": "Aggiungi entità", - "icon_description": "Nome dell'icona per il gruppo.", - "name_of_the_group": "Nome del gruppo.", - "selects_the_first_option": "Seleziona la prima opzione.", - "first": "Prima", - "selects_the_last_option": "Seleziona l'ultima opzione.", - "select_the_next_option": "Seleziona l'opzione successiva.", - "cycle": "Ciclo", - "selects_an_option": "Seleziona una opzione.", - "option_to_be_selected": "Opzione da selezionare.", - "selects_the_previous_option": "Seleziona l'opzione precedente.", - "create_description": "Mostra una notifica nel pannello **Notifiche**.", - "notification_id": "ID di notifica", - "dismiss_description": "Rimuovi una notifica dal pannello **Notifiche**.", - "notification_id_description": "ID della notifica da rimuovere.", - "dismiss_all_description": "Rimuove tutte le notifiche dal pannello **Notifiche**.", - "cancels_a_timer": "Annulla un timer.", - "changes_a_timer": "Cambia un timer.", - "finishes_a_timer": "Finisce un timer.", - "pauses_a_timer": "Mette in pausa un timer.", - "starts_a_timer": "Avvia un timer.", - "duration_description": "Durata richiesta dal timer per terminare. [opzionale].", - "sets_the_options": "Imposta le opzioni.", - "list_of_options": "Elenco delle opzioni.", - "set_options": "Imposta le opzioni", - "clear_skipped_update": "Cancella l'aggiornamento saltato", - "install_update": "Installa aggiornamento", - "skip_description": "Contrassegna l'aggiornamento attualmente disponibile come saltato.", - "skip_update": "Salta aggiornamento", - "set_default_level_description": "Imposta il livello di registro predefinito per le integrazioni.", - "level_description": "Livello di gravità predefinito per tutte le integrazioni.", - "set_default_level": "Imposta il livello predefinito", - "set_level": "Imposta livello", - "create_temporary_strict_connection_url_name": "Crea un URL temporaneo di connessione rigorosa", - "remote_connect": "Connessione remota", - "remote_disconnect": "Disconnessione remota", - "set_value_description": "Imposta il valore di un numero.", - "value_description": "Valore per il parametro di configurazione.", - "value": "Valore", - "closes_a_cover": "Chiude una copertina.", - "close_cover_tilt_description": "Inclina una copertura per chiuderla.", - "close_tilt": "Chiudi inclinazione", - "opens_a_cover": "Apre una copertura.", - "tilts_a_cover_open": "Inclina una copertura aperta.", - "open_tilt": "Inclinazione aperta", - "set_cover_position_description": "Sposta una copertura in una posizione specifica.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Posizione di inclinazione desiderata.", - "set_tilt_position": "Imposta la posizione di inclinazione", - "stops_the_cover_movement": "Arresta il movimento della copertura.", - "stop_cover_tilt_description": "Arresta il movimento della copertura inclinata.", - "stop_tilt": "Arresta inclinazione", - "toggles_a_cover_open_closed": "Attiva/disattiva una copertura aperta/chiusa.", - "toggle_cover_tilt_description": "Attiva/disattiva l'apertura/chiusura dell'inclinazione di una copertura.", - "toggle_tilt": "Attiva/disattiva l'inclinazione", - "toggles_the_helper_on_off": "Attiva/disattiva l'aiutante.", - "turns_off_the_helper": "Disattiva l'aiutante.", - "turns_on_the_helper": "Attiva l'aiutante.", - "decrement_description": "Decrementa il valore corrente di 1 passo.", - "increment_description": "Incrementa il valore di 1 passo.", - "sets_the_value": "Imposta il valore.", - "the_target_value": "Il valore obiettivo.", - "dump_log_objects": "Scarica gli oggetti del registro", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Registra ciclo di eventi pianificato", - "log_thread_frames_description": "Registra i frame correnti per tutti i thread.", - "log_thread_frames": "Registra i frame dei thread", - "lru_stats_description": "Registra le statistiche di tutte le cache lru.", - "log_lru_stats": "Registro statistiche LRU", - "starts_the_memory_profiler": "Avvia il Profilatore di memoria.", - "seconds": "Secondi", - "memory": "Memoria", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Avvia il profiler.", - "max_objects_description": "Il numero massimo di oggetti da registrare.", - "maximum_objects": "Numero massimo di oggetti", - "scan_interval_description": "Numero di secondi tra la registrazione degli oggetti.", - "scan_interval": "Intervallo di scansione", - "start_logging_object_sources": "Avvia la registrazione delle origini oggetto", - "start_log_objects_description": "Avvia la registrazione della crescita degli oggetti in memoria.", - "start_logging_objects": "Avvia la registrazione degli oggetti", - "stop_logging_object_sources": "Interrompi la registrazione delle origini oggetto", - "stop_log_objects_description": "Arresta la registrazione della crescita degli oggetti in memoria.", - "stop_logging_objects": "Interrompi la registrazione degli oggetti", - "process_description": "Avvia una conversazione da un testo trascritto.", - "agent": "Agente", - "conversation_id": "ID conversazione", - "transcribed_text_input": "Inserimento del testo trascritto.", - "process": "Processo", - "reloads_the_intent_configuration": "Ricarica la configurazione degli intenti.", - "conversation_agent_to_reload": "Agente di conversazione da ricaricare.", - "apply_filter": "Applica il filtro", - "days_to_keep": "Giorni da conservare", - "repack": "Riorganizza", - "purge": "Pulizia", - "domains_to_remove": "Domini da rimuovere", - "entity_globs_to_remove": "Entità globali da rimuovere", - "entities_to_remove": "Entities to remove", - "purge_entities": "Elimina le entità", - "reload_resources_description": "Ricarica le risorse della plancia dalla configurazione YAML.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "Movimento PTZ", + "log_description": "Crea una voce personalizzata nel registro.", + "entity_id_description": "Lettori multimediali per riprodurre il messaggio.", + "toggles_a_switch_on_off": "Attiva/disattiva un interruttore.", + "turns_a_switch_off": "Spegne un interruttore.", + "turns_a_switch_on": "Accende un interruttore.", "reload_themes_description": "Ricarica i temi dalla configurazione YAML.", "reload_themes": "Ricarica i temi", "name_of_a_theme": "Nome di un tema.", "set_the_default_theme": "Imposta il tema predefinito", + "toggles_the_helper_on_off": "Attiva/disattiva l'aiutante.", + "turns_off_the_helper": "Disattiva l'aiutante.", + "turns_on_the_helper": "Attiva l'aiutante.", "decrements_a_counter": "Decrementa un contatore.", "increments_a_counter": "Incrementa un contatore.", "resets_a_counter": "Azzera un contatore.", "sets_the_counter_value": "Imposta il valore del contatore.", - "code_description": "Codice utilizzato per sbloccare la serratura.", - "arm_with_custom_bypass": "Attiva con esclusione personalizzata", - "alarm_arm_vacation_description": "Imposta l'allarme su: _attivo per vacanza_.", - "disarms_the_alarm": "Disattiva l'allarme.", - "alarm_trigger_description": "Abilita l'attivazione di un allarme esterno.", + "remote_connect": "Connessione remota", + "remote_disconnect": "Disconnessione remota", "get_weather_forecast": "Ottieni le previsioni del tempo.", "type_description": "Tipo di previsione: giornaliera, oraria o due volte al giorno.", "forecast_type": "Tipo di previsione", "get_forecast": "Ottieni previsioni", "get_weather_forecasts": "Ricevi le previsioni del tempo.", - "load_url_description": "Carica un URL su Fully Kiosk Browser.", - "url_to_load": "URL da caricare.", - "load_url": "Carica URL", - "configuration_parameter_to_set": "Parametro di configurazione da impostare.", - "key": "Chiave", - "set_configuration": "Imposta configurazione", - "application_description": "Nome del pacchetto dell'applicazione da avviare.", - "application": "Applicazione", - "start_application": "Avvia applicazione", - "decrease_speed_description": "Diminuisce la velocità del ventilatore.", - "percentage_step_description": "Aumenta la velocità di un passo percentuale.", - "decrease_speed": "Diminuisci la velocità", - "increase_speed_description": "Aumenta la velocità del ventilatore.", - "increase_speed": "Aumenta la velocità", - "oscillate_description": "Controlla l'oscillazione del ventilatore.", - "turn_on_off_oscillation": "Attiva/disattiva l'oscillazione.", - "set_direction_description": "Imposta la direzione di rotazione della ventola.", - "direction_to_rotate": "Direzione di rotazione.", - "set_direction": "Imposta la direzione", - "sets_the_fan_speed": "Imposta la velocità del ventilatore.", - "speed_of_the_fan": "Velocità del ventilatore.", - "percentage": "Percentuale", - "set_speed": "Imposta la velocità", - "toggles_the_fan_on_off": "Attiva/disattiva il ventilatore.", - "turns_fan_off": "Spegne il ventilatore.", - "turns_fan_on": "Accende il ventilatore.", - "locks_a_lock": "Blocca una serratura.", - "opens_a_lock": "Apre una serratura.", - "unlocks_a_lock": "Sblocca una serratura.", - "press_the_button_entity": "Premere il pulsante entità", + "disables_the_motion_detection": "Disabilita il rilevamento del movimento.", + "disable_motion_detection": "Disabilita il rilevamento del movimento", + "enables_the_motion_detection": "Abilita il rilevamento del movimento.", + "enable_motion_detection": "Abilita il rilevamento del movimento", + "format_description": "Formato di streaming supportato dal lettore multimediale.", + "format": "Formato", + "media_player_description": "Lettori multimediali su cui eseguire lo streaming.", + "play_stream": "Riproduci stream", + "filename": "Nome del file", + "lookback": "Retrospettiva", + "snapshot_description": "Scatta un'istantanea da una fotocamera.", + "take_snapshot": "Scatta un'istantanea", + "turns_off_the_camera": "Spegne la fotocamera.", + "turns_on_the_camera": "Accende la fotocamera.", + "clear_tts_cache": "Svuota la cache di sintesi vocale", + "cache": "Cache", + "options_description": "Un dizionario contenente opzioni specifiche per l'integrazione.", + "say_a_tts_message": "Pronuncia un messaggio di sintesi vocale", + "broadcast_address": "Indirizzo di trasmissione", + "broadcast_port_description": "Porta dove inviare il pacchetto magico.", + "broadcast_port": "Porta di trasmissione", + "send_magic_packet": "Invia pacchetto magico", + "set_datetime_description": "Imposta la data e/o l'ora.", + "the_target_date": "Data prevista.", + "datetime_description": "La data e l'ora di destinazione.", + "the_target_time": "Il tempo di destinazione.", "bridge_identifier": "Identificatore del bridge", "configuration_payload": "Payload di configurazione", "entity_description": "Rappresenta un endpoint di dispositivo specifico in deCONZ.", @@ -3117,22 +3180,24 @@ "device_refresh_description": "Aggiorna i dispositivi disponibili da deCONZ.", "device_refresh": "Aggiornamento del dispositivo", "remove_orphaned_entries": "Rimuovere le voci orfane", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Aggiunge un nuovo evento al calendario.", - "calendar_id_description": "L'id del calendario desiderato.", - "calendar_id": "ID calendario", - "description_description": "La descrizione dell'evento. Opzionale.", - "summary_description": "Funge da titolo dell'evento.", - "creates_event": "Crea evento", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Imposta la data e/o l'ora.", - "the_target_date": "Data prevista.", - "datetime_description": "La data e l'ora di destinazione.", - "the_target_time": "Il tempo di destinazione." + "removes_a_group": "Rimuove un gruppo.", + "object_id": "ID oggetto", + "creates_updates_a_user_group": "Crea/aggiorna un gruppo di utenti.", + "add_entities": "Aggiungi entità", + "icon_description": "Nome dell'icona per il gruppo.", + "name_of_the_group": "Nome del gruppo.", + "cancels_a_timer": "Annulla un timer.", + "changes_a_timer": "Cambia un timer.", + "finishes_a_timer": "Finisce un timer.", + "pauses_a_timer": "Mette in pausa un timer.", + "starts_a_timer": "Avvia un timer.", + "duration_description": "Durata richiesta dal timer per terminare. [opzionale].", + "set_default_level_description": "Imposta il livello di registro predefinito per le integrazioni.", + "level_description": "Livello di gravità predefinito per tutte le integrazioni.", + "set_default_level": "Imposta il livello predefinito", + "set_level": "Imposta livello", + "clear_skipped_update": "Cancella l'aggiornamento saltato", + "install_update": "Installa aggiornamento", + "skip_description": "Contrassegna l'aggiornamento attualmente disponibile come saltato.", + "skip_update": "Salta aggiornamento" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ja/ja.json b/packages/core/src/hooks/useLocale/locales/ja/ja.json index 1c43596..fc6a66a 100644 --- a/packages/core/src/hooks/useLocale/locales/ja/ja.json +++ b/packages/core/src/hooks/useLocale/locales/ja/ja.json @@ -1,7 +1,7 @@ { "energy": "エネルギー", "calendar": "カレンダー", - "settings": "設定", + "set": "設定", "overview": "オーバービュー", "map": "Map", "logbook": "ログブック", @@ -20,7 +20,7 @@ "disarm": "警戒解除", "pend": "保留中", "arming": "警戒状態に移行中...", - "trig": "作動", + "trig": "作動(Trig)", "home": "在宅", "away": "不在", "owner": "オーナー", @@ -52,11 +52,11 @@ "run_actions": "アクションを実行", "press": "押す", "image_not_available": "画像がありません。", - "currently": "現在", + "now": "現在", "on_off": "オン/オフ", "name_target_temperature": "{name}設定温度", "name_target_temperature_mode": "{name}設定温度{mode}", - "name_current_temperature": "{name}現在の室温", + "name_current_temperature": "{name}現在の温度", "name_heating": "{name}暖房", "name_cooling": "{name}冷房", "high": "高", @@ -90,7 +90,7 @@ "resume_mowing": "芝刈りを再開する", "start_mowing": "芝刈り開始", "return_to_dock": "ドックに戻る", - "brightness": "輝度", + "brightness": "明るさ", "color_temperature": "色温度", "white_brightness": "白色輝度", "color_brightness": "色の明るさ", @@ -102,7 +102,8 @@ "open": "開く", "open_door": "ドアを開ける", "really_open": "本当に開けますか?", - "door_open": "ドアが開いています", + "done": "完了", + "ui_card_lock_open_door_success": "ドアが開いています", "source": "ソース", "sound_mode": "サウンドモード", "browse_media": "メディアを参照する", @@ -120,7 +121,7 @@ "shuffle": "シャッフル", "text_to_speak": "音声合成", "nothing_playing": "何も再生していません", - "dismiss": "閉じる", + "close": "閉じる", "activate": "有効化", "run": "実行", "running": "ランニング", @@ -137,7 +138,6 @@ "up_to_date": "最新", "empty_value": "(空の値)", "start": "スタート", - "done": "完了", "resume_cleaning": "クリーニングを再開する", "start_cleaning": "クリーニングを開始", "open_valve": "バルブを開ける", @@ -181,12 +181,12 @@ "loading": "読み込み中…", "refresh": "更新", "delete": "削除", + "delete_all": "すべて削除", "download": "ダウンロード", "duplicate": "カードを複製", "enable": "有効", "disable": "無効", "hide": "非表示", - "close": "閉", "leave": "去る", "stay": "留まる", "next": "次", @@ -221,6 +221,9 @@ "media_content_type": "メディアコンテンツタイプ", "upload_failed": "アップロード失敗", "unknown_file": "不明なファイル", + "select_image": "画像を選択", + "upload_picture": "画像のアップロード", + "image_url": "ローカルパスまたはウェブURL", "latitude": "緯度", "longitude": "経度", "radius": "半径", @@ -234,6 +237,7 @@ "date_and_time": "日時", "period": "期間", "entity": "エンティティ", + "floor": "フロア", "icon": "アイコン", "location": "ロケーション", "number": "数", @@ -263,8 +267,7 @@ "could_not_load_logbook": "ログブックを読み込めませんでした", "was_detected_away": "外出しました", "was_detected_at_state": "{state}で検出されました", - "rose": "夜明け", - "set": "セット", + "rose": "明け方", "was_low": "低かった", "was_normal": "正常でした", "was_connected": "接続されました", @@ -272,6 +275,7 @@ "was_opened": "開かれました", "was_closed": "閉じられました", "is_opening": "が開いています", + "is_opened": "が開かれている", "is_closing": "が閉まっています", "unlocked": "解錠済み", "locked": "施錠済み", @@ -310,7 +314,7 @@ "choose_area": "エリアを選択", "choose_device": "デバイスを選択", "choose_entity": "エンティティを選択", - "choose_label": "ラベルの選択", + "choose_label": "ラベルを選択", "filter": "フィルター", "show_number_results": "{number}結果を表示", "clear_filter": "フィルターをクリア", @@ -320,10 +324,13 @@ "sort_by_sortcolumn": "{sortColumn} で並べ替え", "group_by_groupcolumn": "{groupColumn} でグループ化", "don_t_group": "グループ化しない", + "collapse_all": "すべて折りたたむ", + "expand_all": "すべて展開", "selected_selected": "選択済み{selected}", "close_selection_mode": "選択モードを閉じる", "select_all": "すべて選択", "select_none": "選択しない", + "customize_table": "テーブルをカスタマイズ", "conversation_agent": "会話エージェント", "none": "なし", "country": "国", @@ -333,7 +340,7 @@ "no_theme": "テーマなし", "language": "言語", "no_languages_available": "利用できる言語がありません", - "text_to_speech": "テキスト読み上げ", + "text_to_speech": "Text to speech", "voice": "声", "no_user": "ユーザーなし", "add_user": "ユーザーを追加", @@ -369,7 +376,6 @@ "ui_components_area_picker_add_dialog_text": "新しいエリアの名前を入力してください。", "ui_components_area_picker_add_dialog_title": "新しいエリアを追加", "show_floors": "フロアを表示", - "floor": "フロア", "add_new_floor_name": "新しいフロア ''{name}'' を追加", "add_new_floor": "新しいフロアを追加…", "floor_picker_no_floors": "フロアがありません", @@ -445,6 +451,9 @@ "last_month": "先月", "this_year": "今年", "last_year": "去年", + "reset_to_default_size": "デフォルトサイズにリセット", + "number_of_columns": "列の数", + "number_of_rows": "行数", "history_integration_disabled": "統合の履歴が無効", "loading_state_history": "状態履歴を読込中…", "no_state_history_found": "状態履歴がありません。", @@ -474,6 +483,10 @@ "filtering_by": "フィルタ処理の方法", "number_hidden": "{number}非表示", "ungrouped": "グループ化解除", + "customize": "カスタマイズ", + "hide_column_title": "列を非表示{title}", + "show_column_title": "列{title}を表示", + "restore_defaults": "デフォルトに戻す", "message": "メッセージ", "gender": "性別", "male": "男性", @@ -691,7 +704,7 @@ "switch_to_position_mode": "ポジションモードに切り替える", "people_in_zone": "ゾーン滞在", "edit_favorite_color": "お気に入りの色を編集", - "color": "カラー", + "color": "色", "set_white": "白に設定", "select_effect": "エフェクトを選択", "change_color": "色の変更", @@ -711,7 +724,7 @@ "default_code": "デフォルトのコード", "editor_default_code_error": "コードがコード形式と一致しません", "entity_id": "エンティティID", - "unit_of_measurement": "測定単位", + "unit_of_measurement": "測定の単位", "precipitation_unit": "降水量の単位", "display_precision": "表示精度", "default_value": "デフォルト ({value})", @@ -791,7 +804,7 @@ "restart_home_assistant": "Home Assistantを再起動しますか?", "advanced_options": "Advanced options", "quick_reload": "クイックリロード", - "reload_description": "YAML 構成からヘルパーをリロードします。", + "reload_description": "YAML 構成からゾーンをリロードします。", "reloading_configuration": "設定をリロード", "failed_to_reload_configuration": "設定の再読み込みに失敗しました", "restart_description": "実行中のすべてのオートメーションとスクリプトを中断します。", @@ -915,8 +928,8 @@ "new_playstore": "Google Playで入手", "new_appstore": "App Storeでダウンロード", "existing_question": "どのコントローラーに接続されていますか?", - "google_home": "Google ホーム", - "apple_home": "Apple ホーム", + "google_home": "Google Home", + "apple_home": "Apple Home", "other_controllers": "その他のコントローラー", "link_matter_app": "Matter アプリをリンク", "tap_linked_matter_apps_services": "{linked_matter_apps_services}をタップします。", @@ -1055,9 +1068,11 @@ "view_configuration": "設定を表示", "name_view_configuration": "{name}設定の表示", "add_view": "ビューを追加", + "background_title": "ビューに背景を追加する", "edit_view": "ビューを編集", "move_view_left": "ビューを左に移動", "move_view_right": "ビューを右に移動", + "background": "バックグラウンド", "badges": "バッジ", "view_type": "ビュータイプ", "masonry_default": "組積造(デフォルト)", @@ -1066,8 +1081,8 @@ "sections_experimental": "セクション (実験的)", "subview": "サブビュー", "max_number_of_columns": "最大列数", - "edit_in_visual_editor": "UI で編集", - "edit_in_yaml": "YAML で編集", + "edit_in_visual_editor": "ビジュアルエディタで編集", + "edit_in_yaml": "YAMLで編集", "saving_failed": "保存に失敗しました", "ui_panel_lovelace_editor_edit_view_type_helper_others": "移行はまだサポートされていないため、ビューを他のタイプに変更することはできません。別のビュー タイプを使用する場合は、新しいビューを最初から作成してください。", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "移行はまだサポートされていないため、「セクション」ビュー タイプを使用するようにビューを変更することはできません。 「セクション」ビューを試してみたい場合は、新しいビューを最初から作成してください。", @@ -1089,7 +1104,10 @@ "increase_card_position": "カードの位置を上げる", "more_options": "その他のオプション", "search_cards": "カードを検索", + "config": "コンフィグ", + "layout": "レイアウト", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "{name}ビューにどのカードを追加しますか?", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "可視性", "move_card_error_title": "カードを移動できません", "choose_a_view": "ビューを選択", "dashboard": "ダッシュボード", @@ -1107,8 +1125,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section}とそのすべてのカードが削除されます。", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section}が削除されます。", "ui_panel_lovelace_editor_delete_section_unnamed_section": "このセクション", - "edit_name": "名前の編集", - "add_name": "名前を追加", + "edit_section": "セクションを編集", "suggest_card_header": "私たちはあなたのために提案を作成しました", "pick_different_card": "別のカードを選択する", "add_to_dashboard": "ダッシュボードに追加", @@ -1139,7 +1156,7 @@ "min_size_px": "最小: {size}ピクセル", "state_is_equal_to": "状態が等しい", "state_state_not_equal": "状態が等しくない", - "current": "現在(Current)", + "current": "電流", "alarm_panel": "アラームパネル", "available_states": "状態・利用可能", "alert_classes": "アラートクラス", @@ -1304,6 +1321,8 @@ "ui_panel_lovelace_editor_color_picker_colors_inactive": "非活性", "ui_panel_lovelace_editor_color_picker_colors_white": "白", "ui_panel_lovelace_editor_color_picker_colors_yellow": "黄色", + "ui_panel_lovelace_editor_edit_section_title_title": "名前の編集", + "ui_panel_lovelace_editor_edit_section_title_title_new": "名前を追加", "warning_attribute_not_found": "属性{attribute}は次の場所では使用できません: {entity}", "entity_not_available_entity": "エンティティが使用できません: {entity}", "entity_is_non_numeric_entity": "エンティティが数値ではありません: {entity}", @@ -1312,166 +1331,110 @@ "invalid_display_format": "無効な表示フォーマット", "compare_data": "データを比較", "reload_ui": "UIの再読込", - "wake_on_lan": "Wake on LAN", + "profiler": "Profiler", + "http": "HTTP", + "cover": "カバー", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "ボタン入力", + "samsungtv_smart": "SamsungTV Smart", + "alarm_control_panel": "アラームコントロールパネル", + "device_tracker": "デバイストラッカー", + "trace": "Trace", + "stream": "Stream", + "person": "人", + "google_calendar": "Google Calendar", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "camera": "カメラ", "text_to_speech_tts": "Text-to-speech (TTS)", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "診断", + "siren": "サイレン", + "fitbit": "Fitbit", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "バルブ", + "assist_pipeline": "アシストパイプライン", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", + "openweathermap": "OpenWeatherMap", + "conversation": "会話(Conversation)", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", + "filesize": "ファイルサイズ", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", + "restful_command": "RESTful Command", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", + "group": "グループ", + "auth": "Auth", "thread": "Thread", - "my_home_assistant": "My Home Assistant", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "スケジュール", + "bluetooth_adapters": "Bluetooth Adapters", "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", + "google_assistant_sdk": "Google Assistant SDK", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "永続的な通知", + "remote": "リモート", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "ラズベリーパイの電源チェッカー", + "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", "switch": "スイッチ", - "camera": "カメラ", - "device_automation": "Device Automation", "repairs": "Repairs", + "blueprint": "Blueprint", + "wyoming_protocol": "Wyoming Protocol", + "dhcp_discovery": "DHCP Discovery", + "weather": "天気", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "グループ", - "timer": "タイマー", - "schedule": "スケジュール", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", + "hacs": "HACS", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "カバー", - "home_assistant_alerts": "Home Assistant Alerts", - "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "会話(Conversation)", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "バイナリセンサー", + "intent": "Intent", "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", - "alarm_control_panel": "アラームコントロールパネル", - "fully_kiosk_browser": "Fully Kiosk Browser", + "media_source": "Media Source", "fan": "ファン", - "home_assistant_onboarding": "Home Assistant Onboarding", - "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", - "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", "scene": "Scene", + "localtuya": "LocalTuya integration", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", + "speech_to_text_stt": "Speech-to-text (STT)", + "event": "イベント", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", "climate": "気候", - "filesize": "ファイルサイズ", - "media_extractor": "Media Extractor", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "カウンター", "esphome": "ESPHome", - "persistent_notification": "永続的な通知", - "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "アプリケーション認証", - "local_calendar": "ローカルカレンダー", - "trace": "Trace", - "intent": "Intent", - "rpi_power_title": "ラズベリーパイの電源チェッカー", - "weather": "天気", - "deconz": "deCONZ", - "blueprint": "Blueprint", "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", - "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", - "ibeacon_tracker": "iBeacon Tracker", - "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "デバイストラッカー", - "system_log": "System Log", - "hacs": "HACS", - "remote": "リモート", - "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "イベント", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", - "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", "mobile_app": "モバイルアプリ", - "diagnostics": "診断", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "人", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "サイレン", + "deconz": "deCONZ", + "timer": "タイマー", + "application_credentials": "アプリケーション認証", "logger": "ロガー", - "assist_pipeline": "アシストパイプライン", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "ボタン入力", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "カウンター", - "binary_sensor": "バイナリセンサー", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "バルブ", - "os_agent_version": "OSエージェントのバージョン", - "apparmor_version": "Apparmor バージョン", - "cpu_percent": "CPUパーセント", - "disk_free": "ディスク空き", - "disk_total": "ディスクの合計", - "disk_used": "使用ディスク", - "memory_percent": "メモリのパーセント", - "version": "バージョン", - "newest_version": "最新バージョン", + "local_calendar": "ローカルカレンダー", "synchronize_devices": "デバイスの同期", - "device_name_current": "{device_name}の電流", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name}の消費電流", - "today_s_consumption": "今日の消費量", - "device_name_today_s_consumption": "{device_name}の今日の消費量", - "total_consumption": "総消費量", - "device_name_total_consumption": "{device_name}の総消費量", - "device_name_voltage": "{device_name}の電圧", - "led": "LED", - "bytes_received": "受信バイト数", - "server_country": "サーバーの国", - "server_id": "サーバーID", - "server_name": "サーバー名", - "ping": "Ping", - "upload": "アップロード", - "bytes_sent": "送信バイト数", - "air_quality_index": "大気質指数", - "illuminance": "照度", - "noise": "ノイズ", - "overload": "過負荷", - "voltage": "電圧", - "estimated_distance": "推定距離", - "vendor": "ベンダー", - "assist_in_progress": "進行中のアシスト", - "auto_gain": "オートゲイン", - "mic_volume": "マイク音量", - "noise_suppression": "ノイズ対策", - "noise_suppression_level": "ノイズ抑制レベル", - "off": "オフ", - "preferred": "優先", - "satellite_enabled": "サテライトが有効", - "ding": "ベル", - "doorbell_volume": "ドアホンの音量", - "last_activity": "最後のアクティビティ", - "last_ding": "最後のベル", - "last_motion": "最後の動き", - "voice_volume": "声の大きさ", - "volume": "ボリューム", - "wi_fi_signal_category": "Wi-Fi信号カテゴリ", - "wi_fi_signal_strength": "Wi-Fi信号強度", - "battery_level": "バッテリー残量", - "size": "サイズ", - "size_in_bytes": "バイト単位のサイズ", - "finished_speaking_detection": "話し声の検出が終了しました", - "aggressive": "アグレッシブ", - "default": "デフォルト", - "relaxed": "リラックス", - "call_active": "コール・アクティブ", - "quiet": "静音", + "last_scanned_by_device_id_name": "最後にスキャンしたデバイスID", + "tag_id": "タグID", "heavy": "重い", "mild": "マイルド", "button_down": "ボタンダウン", @@ -1487,32 +1450,28 @@ "warm_up": "ウォームアップ", "not_completed": "未完了", "checking": "チェック中", + "closed": "閉", "closing": "閉じています", "failure": "失敗", "opened": "開いた", - "device_admin": "デバイス管理者", - "kiosk_mode": "キオスクモード", - "plugged_in": "プラグイン", - "load_start_url": "読み込み開始URL", - "restart_browser": "ブラウザの再試行", - "restart_device": "デバイスの再起動", - "send_to_background": "バックグラウンドに送信", - "bring_to_foreground": "前面に移動", - "screen_brightness": "画面の明るさ", - "screen_off_timer": "スクリーンオフタイマー", - "screensaver_brightness": "スクリーンセーバーの明るさ", - "screensaver_timer": "スクリーンセーバータイマー", - "current_page": "現在のページ", - "foreground_app": "フォアグラウンドアプリ", - "internal_storage_free_space": "内部ストレージの空き容量", - "internal_storage_total_space": "内部ストレージの総容量", - "free_memory": "空きメモリ", - "total_memory": "総メモリ量", - "screen_orientation": "画面の向き", - "kiosk_lock": "キオスクロック", - "maintenance_mode": "メンテナンスモード", - "motion_detection": "モーション検知", - "screensaver": "スクリーンセーバー", + "battery_level": "バッテリー残量", + "os_agent_version": "OSエージェントのバージョン", + "apparmor_version": "Apparmor バージョン", + "cpu_percent": "CPUパーセント", + "disk_free": "ディスク空き", + "disk_total": "ディスクの合計", + "disk_used": "使用ディスク", + "memory_percent": "メモリのパーセント", + "version": "バージョン", + "newest_version": "最新バージョン", + "next_dawn": "次の明け方", + "next_dusk": "次の夕方", + "next_midnight": "次の深夜", + "next_noon": "次の南中", + "next_rising": "次の日の出", + "next_setting": "次の日没", + "solar_azimuth": "太陽の方位角", + "solar_elevation": "太陽高度", "compressor_energy_consumption": "コンプレッサーのエネルギー消費量", "compressor_estimated_power_consumption": "コンプレッサーの推定消費電力", "compressor_frequency": "コンプレッサー周波数", @@ -1521,25 +1480,115 @@ "heat_energy_consumption": "熱エネルギー消費量", "inside_temperature": "室内温度", "outside_temperature": "外気温", - "next_dawn": "次の夜明け", - "next_dusk": "次の夕暮れ", - "next_midnight": "次の深夜", - "next_noon": "次の正午", - "next_rising": "次の日の出", - "next_setting": "次の日没", - "solar_azimuth": "太陽の方位角", - "solar_elevation": "太陽高度", - "calibration": "キャリブレーション", - "auto_lock_paused": "オートロック一時停止中", - "timeout": "タイムアウト", - "unclosed_alarm": "閉まっていないアラーム", - "unlocked_alarm": "アラームのロック解除", - "bluetooth_signal": "Bluetooth信号", - "light_level": "ライトレベル", - "wi_fi_signal": "Wi-Fi信号", - "momentary": "瞬間的", - "pull_retract": "引く/引っ込める", + "assist_in_progress": "進行中のアシスト", + "preferred": "優先", + "finished_speaking_detection": "話し声の検出が終了しました", + "aggressive": "アグレッシブ", + "default": "デフォルト", + "relaxed": "リラックス", + "device_admin": "デバイス管理者", + "kiosk_mode": "キオスクモード", + "plugged_in": "プラグイン", + "load_start_url": "読み込み開始URL", + "restart_browser": "ブラウザの再試行", + "restart_device": "デバイスの再起動", + "send_to_background": "バックグラウンドに送信", + "bring_to_foreground": "前面に移動", + "screenshot": "スクリーンショット", + "overlay_message": "Overlay message", + "screen_brightness": "画面の明るさ", + "screen_off_timer": "スクリーンオフタイマー", + "screensaver_brightness": "スクリーンセーバーの明るさ", + "screensaver_timer": "スクリーンセーバータイマー", + "current_page": "現在のページ", + "foreground_app": "フォアグラウンドアプリ", + "internal_storage_free_space": "内部ストレージの空き容量", + "internal_storage_total_space": "内部ストレージの総容量", + "free_memory": "空きメモリ", + "total_memory": "総メモリ量", + "screen_orientation": "画面の向き", + "kiosk_lock": "キオスクロック", + "maintenance_mode": "メンテナンスモード", + "motion_detection": "モーション検知", + "screensaver": "スクリーンセーバー", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "利用可能なアップデート", + "dry": "ドライ", + "wet": "ウェット", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "今日の消費量", + "total_consumption": "総消費量", + "device_name_current": "{device_name}の電流", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name}の消費電流", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "信号強度", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name}の今日の消費量", + "device_name_total_consumption": "{device_name}の総消費量", + "voltage": "電圧", + "device_name_voltage": "{device_name}の電圧", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "プロセス{process}", + "disk_free_mount_point": "ディスク空き {mount_point}", + "disk_use_mount_point": "ディスク使用量{mount_point}", + "ipv_address_ip_address": "IPv6 アドレス{ip_address}", + "last_boot": "最後の起動", + "load_m": "負荷(5m)", + "memory_use": "メモリ使用", + "memory_usage": "メモリ使用量", + "network_in_interface": "ネットワークIN {interface}", + "network_out_interface": "ネットワークOUT {interface}", + "packets_in_interface": "パケットIN{interface}", + "packets_out_interface": "パケットOUT{interface}", + "processor_temperature": "プロセッサー温度", + "processor_use": "プロセッサーの使用", + "swap_free": "スワップフリー", + "swap_use": "スワップ使用", + "swap_usage": "スワップ使用量", + "network_throughput_in_interface": "ネットワーク スループットIN {interface}", + "network_throughput_out_interface": "ネットワーク スループットOUT {interface}", + "estimated_distance": "推定距離", + "vendor": "ベンダー", + "air_quality_index": "大気質指数", + "illuminance": "照度", + "noise": "ノイズ", + "overload": "過負荷", + "size": "サイズ", + "size_in_bytes": "バイト単位のサイズ", + "bytes_received": "受信バイト数", + "server_country": "サーバーの国", + "server_id": "サーバーID", + "server_name": "サーバー名", + "ping": "Ping", + "upload": "アップロード", + "bytes_sent": "送信バイト数", "animal": "動物", + "detected": "検出されました", "animal_lens": "動物レンズ 1", "face": "フェイス", "face_lens": "フェイスレンズ1", @@ -1549,6 +1598,9 @@ "person_lens": "人物レンズ 1", "pet": "ペット", "pet_lens": "ペットレンズ 1", + "sleep_status": "スリープ状態", + "awake": "起きている", + "sleep": "スリープ", "vehicle": "車両", "vehicle_lens": "車両レンズ 1", "visitor": "ビジター", @@ -1606,23 +1658,26 @@ "image_sharpness": "画像の鮮明さ", "motion_sensitivity": "モーション感度", "pir_sensitivity": "PIR感度", + "volume": "ボリューム", "zoom": "ズーム", "auto_quick_reply_message": "自動クイック返信メッセージ", + "off": "オフ", "auto_track_method": "オートトラック方式", "digital": "デジタル", "digital_first": "デジタルファースト", "pan_tilt_first": "パン/チルトファースト", "day_night_mode": "デイナイトモード", "black_white": "ブラック&ホワイト", + "doorbell_led": "ドアベル LED", + "always_on": "常にオン", + "state_alwaysonatnight": "オート&夜間常時点灯", + "stay_off": "近寄らない", "floodlight_mode": "投光器モード", "adaptive": "適応", "auto_adaptive": "自動適応", "on_at_night": "夜にオン", "play_quick_reply_message": "クイック返信メッセージを再生する", "ptz_preset": "PTZプリセット", - "always_on": "常にオン", - "state_alwaysonatnight": "オート&夜間常時点灯", - "stay_off": "近寄らない", "battery_percentage": "バッテリーのパーセンテージ", "battery_state": "バッテリーの状態", "charge_complete": "充電完了", @@ -1636,6 +1691,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index}ストレージ", "ptz_pan_position": "PTZパン位置", "sd_hdd_index_storage": "SD {hdd_index}ストレージ", + "wi_fi_signal": "Wi-Fi信号", "auto_focus": "オートフォーカス", "auto_tracking": "オートトラッキング", "buzzer_on_event": "イベント時のブザー", @@ -1644,6 +1700,7 @@ "ftp_upload": "FTPアップロード", "guard_return": "ガードリターン", "hdr": "HDR", + "manual_record": "マニュアル記録", "pir_enabled": "PIR有効", "pir_reduce_false_alarm": "PIRの誤報を減らす", "ptz_patrol": "PTZパトロール", @@ -1651,71 +1708,84 @@ "record": "録画", "record_audio": "オーディオの録音", "siren_on_event": "イベントのサイレン", - "process_process": "プロセス{process}", - "disk_free_mount_point": "ディスク空き {mount_point}", - "disk_use_mount_point": "ディスク使用量{mount_point}", - "ipv_address_ip_address": "IPv6 アドレス{ip_address}", - "last_boot": "最後の起動", - "load_m": "負荷(5m)", - "memory_use": "メモリ使用", - "memory_usage": "メモリ使用量", - "network_in_interface": "ネットワークIN {interface}", - "network_out_interface": "ネットワークOUT {interface}", - "packets_in_interface": "パケットIN{interface}", - "packets_out_interface": "パケットOUT{interface}", - "processor_temperature": "プロセッサー温度", - "processor_use": "プロセッサーの使用", - "swap_free": "スワップフリー", - "swap_use": "スワップ使用", - "swap_usage": "スワップ使用量", - "network_throughput_in_interface": "ネットワーク スループットIN {interface}", - "network_throughput_out_interface": "ネットワーク スループットOUT {interface}", - "gps_accuracy": "GPS精度", + "call_active": "コール・アクティブ", + "quiet": "静音", + "auto_gain": "オートゲイン", + "mic_volume": "マイク音量", + "noise_suppression": "ノイズ対策", + "noise_suppression_level": "ノイズ抑制レベル", + "satellite_enabled": "サテライトが有効", + "calibration": "キャリブレーション", + "auto_lock_paused": "オートロック一時停止中", + "timeout": "タイムアウト", + "unclosed_alarm": "閉まっていないアラーム", + "unlocked_alarm": "アラームのロック解除", + "bluetooth_signal": "Bluetooth信号", + "light_level": "ライトレベル", + "momentary": "瞬間的", + "pull_retract": "引く/引っ込める", + "ding": "ベル", + "doorbell_volume": "ドアホンの音量", + "last_activity": "最後のアクティビティ", + "last_ding": "最後のベル", + "last_motion": "最後の動き", + "voice_volume": "声の大きさ", + "wi_fi_signal_category": "Wi-Fi信号カテゴリ", + "wi_fi_signal_strength": "Wi-Fi信号強度", + "automatic": "オートマチック", + "box": "ボックス", + "step": "ステップ", + "apparent_power": "皮相電力", + "atmospheric_pressure": "大気圧", + "carbon_dioxide": "二酸化炭素", + "data_rate": "データレート", + "distance": "距離", + "stored_energy": "蓄積されたエネルギー", + "frequency": "周波数", + "irradiance": "放射照度", + "nitrogen_dioxide": "二酸化窒素", + "nitrogen_monoxide": "一酸化窒素", + "nitrous_oxide": "亜酸化窒素", + "ozone": "オゾン", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "力率", + "precipitation_intensity": "降水強度", + "pressure": "圧力", + "reactive_power": "無効電力", + "sound_pressure": "音圧", + "speed": "速度", + "sulphur_dioxide": "二酸化硫黄", + "vocs": "揮発性有機化合物(VOCs)", + "volume_flow_rate": "体積流量", + "stored_volume": "保存容量(Stored volume)", + "weight": "重量", + "available_tones": "利用可能な音色", + "end_time": "終了時間", + "start_time": "開始時間", + "managed_via_ui": "UI経由で管理", + "next_event": "次のイベント", + "stopped": "停止", + "garage": "ガレージ", "running_automations": "オートメーションの実行", - "max_running_scripts": "最大実行スクリプト数", + "id": "ID", + "max_running_automations": "最大実行オートメーション", "run_mode": "実行モード", "parallel": "パラレル", "queued": "待機中(Queued)", "single": "シングル", - "end_time": "終了時間", - "start_time": "開始時間", - "recording": "レコーディング", - "streaming": "ストリーミング", - "access_token": "アクセストークン", - "brand": "ブランド", - "stream_type": "ストリームの種類", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "モデル", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "ルーター", - "cool": "冷房", - "dry": "ドライ", - "fan_only": "ファンのみ", - "heat_cool": "暖/冷", - "aux_heat": "補助熱", - "current_humidity": "現在の湿度", - "current_temperature": "Current Temperature", - "diffuse": "ディフューズ", - "middle": "中", - "top": "トップ", - "current_action": "現在のアクション", - "heating": "暖房", - "preheating": "予熱", - "max_target_humidity": "最大目標湿度", - "max_target_temperature": "最大目標温度", - "min_target_humidity": "最小目標湿度", - "min_target_temperature": "最小目標温度", - "boost": "急速(Boost)", - "comfort": "快適", - "eco": "エコ", - "sleep": "スリープ", - "both": "両方", - "horizontal": "水平", - "upper_target_temperature": "目標温度を上げる", - "lower_target_temperature": "目標温度を下げる", - "target_temperature_step": "目標温度ステップ", + "not_charging": "充電していない", + "disconnected": "切断", + "connected": "接続済み", + "hot": "高温", + "no_light": "ライトなし", + "light_detected": "ライトを検出", + "not_moving": "動いていない", + "unplugged": "アンプラグド", + "not_running": "実行中ではない", + "safe": "安全", + "unsafe": "安全ではない", + "tampering_detected": "干渉が検出されました", "buffering": "バッファリング", "playing": "プレイ中", "standby": "スタンバイ", @@ -1734,71 +1804,11 @@ "receiver": "レシーバー", "speaker": "スピーカー", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "輝度のみ", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "色温度(ミレッド)", - "color_temperature_kelvin": "色温度(ケルビン)", - "available_effects": "利用可能なエフェクト", - "maximum_color_temperature_kelvin": "最高色温度(ケルビン)", - "maximum_color_temperature_mireds": "最高色温度(ミレッド)", - "minimum_color_temperature_kelvin": "最低色温度(ケルビン)", - "minimum_color_temperature_mireds": "最低色温度(ミレッド)", - "available_color_modes": "利用可能なカラーモード", - "event_type": "イベントタイプ", - "doorbell": "ドアベル", - "available_tones": "利用可能な音色", - "managed_via_ui": "UI経由で管理", - "id": "ID", - "max_running_automations": "最大実行オートメーション", - "finishes_at": "終了時刻", - "remaining": "残り", - "next_event": "次のイベント", - "update_available": "利用可能なアップデート", - "auto_update": "自動更新", - "in_progress": "進行中", - "installed_version": "インストール済みのバージョン", - "release_summary": "リリース概要", - "release_url": "リリースURL", - "skipped_version": "スキップされたバージョン", - "firmware": "ファームウェア", - "automatic": "オートマチック", - "box": "ボックス", - "step": "ステップ", - "apparent_power": "皮相電力", - "atmospheric_pressure": "大気圧", - "carbon_dioxide": "二酸化炭素", - "data_rate": "データレート", - "distance": "距離", - "stored_energy": "蓄積されたエネルギー", - "frequency": "周波数", - "irradiance": "放射照度", - "nitrogen_dioxide": "二酸化窒素", - "nitrogen_monoxide": "一酸化窒素", - "nitrous_oxide": "亜酸化窒素", - "ozone": "オゾン", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "力率", - "precipitation_intensity": "降水強度", - "pressure": "圧力", - "reactive_power": "無効電力", - "signal_strength": "信号強度", - "sound_pressure": "音圧", - "speed": "速度", - "sulphur_dioxide": "二酸化硫黄", - "vocs": "揮発性有機化合物(VOCs)", - "volume_flow_rate": "体積流量", - "stored_volume": "保存容量(Stored volume)", - "weight": "重量", - "stopped": "停止", - "garage": "ガレージ", - "max_length": "最大長", - "pattern": "パターン", + "above_horizon": "地平線より上", + "below_horizon": "地平線より下", + "oscillating": "首振りする", + "speed_step": "スピードステップ", + "available_preset_modes": "利用可能なプリセットモード", "armed_away": "警戒状態 (外出)", "armed_custom_bypass": "警戒状態 (カスタム)", "armed_home": "警戒状態 (在宅)", @@ -1810,13 +1820,63 @@ "code_for_arming": "警戒用のコード", "not_required": "不要", "code_format": "コード形式", + "gps_accuracy": "GPS精度", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "ルーター", + "event_type": "イベントタイプ", + "doorbell": "ドアベル", + "max_running_scripts": "最大実行スクリプト数", + "jammed": "問題が発生", + "locking": "施錠中...", + "unlocking": "解錠中...", + "cool": "冷房", + "fan_only": "ファンのみ", + "heat_cool": "暖/冷", + "aux_heat": "補助熱", + "current_humidity": "現在の湿度", + "current_temperature": "Current Temperature", + "diffuse": "ディフューズ", + "middle": "中", + "top": "トップ", + "current_action": "現在のアクション", + "heating": "暖房", + "preheating": "予熱", + "max_target_humidity": "最大目標湿度", + "max_target_temperature": "最大目標温度", + "min_target_humidity": "最小目標湿度", + "min_target_temperature": "最小目標温度", + "boost": "急速(Boost)", + "comfort": "快適", + "eco": "エコ", + "both": "両方", + "horizontal": "水平", + "upper_target_temperature": "目標温度を上げる", + "lower_target_temperature": "目標温度を下げる", + "target_temperature_step": "目標温度ステップ", "last_reset": "最終リセット", "possible_states": "可能な状態", "state_class": "状態クラス", "measurement": "測定", "total_increasing": "合計増加", + "conductivity": "Conductivity", "data_size": "データサイズ", "timestamp": "タイムスタンプ", + "color_mode": "Color Mode", + "brightness_only": "輝度のみ", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "色温度(ミレッド)", + "color_temperature_kelvin": "色温度(ケルビン)", + "available_effects": "利用可能なエフェクト", + "maximum_color_temperature_kelvin": "最高色温度(ケルビン)", + "maximum_color_temperature_mireds": "最高色温度(ミレッド)", + "minimum_color_temperature_kelvin": "最低色温度(ケルビン)", + "minimum_color_temperature_mireds": "最低色温度(ミレッド)", + "available_color_modes": "利用可能なカラーモード", "clear_night": "快晴、夜", "cloudy": "曇り", "exceptional": "例外的", @@ -1839,62 +1899,78 @@ "uv_index": "UV指数", "wind_bearing": "風の方位", "wind_gust_speed": "突風速度", - "above_horizon": "地平線より上", - "below_horizon": "地平線より下", - "oscillating": "首振りする", - "speed_step": "スピードステップ", - "available_preset_modes": "利用可能なプリセットモード", - "jammed": "問題が発生", - "locking": "施錠中...", - "unlocking": "解錠中...", - "identify": "識別する", - "not_charging": "充電していない", - "detected": "検出されました", - "disconnected": "切断", - "connected": "接続済み", - "hot": "高温", - "no_light": "ライトなし", - "light_detected": "ライトを検出", - "wet": "ウェット", - "not_moving": "動いていない", - "unplugged": "アンプラグド", - "not_running": "実行中ではない", - "safe": "安全", - "unsafe": "安全ではない", - "tampering_detected": "干渉が検出されました", + "recording": "レコーディング", + "streaming": "ストリーミング", + "access_token": "アクセストークン", + "brand": "ブランド", + "stream_type": "ストリームの種類", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "モデル", "minute": "分", "second": "秒", - "location_is_already_configured": "ロケーションはすでに設定されています", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "無効なAPIキー", - "api_key": "APIキー", + "max_length": "最大長", + "pattern": "パターン", + "finishes_at": "終了時刻", + "remaining": "残り", + "identify": "識別する", + "auto_update": "自動更新", + "in_progress": "進行中", + "installed_version": "インストール済みのバージョン", + "release_summary": "リリース概要", + "release_url": "リリースURL", + "skipped_version": "スキップされたバージョン", + "firmware": "ファームウェア", + "abort_single_instance_allowed": "すでに設定されています。設定できるのは1つだけです。", "user_description": "セットアップを開始しますか?", + "device_is_already_configured": "デバイスはすでに設定されています", + "re_authentication_was_successful": "再認証に成功しました", + "re_configuration_was_successful": "再設定に成功しました", + "failed_to_connect": "接続に失敗しました", + "error_custom_port_not_supported": "Gen1 デバイスはカスタム ポートをサポートしていません。", + "invalid_authentication": "無効な認証", + "unexpected_error": "予期しないエラー", + "username": "ユーザー名", + "host": "Host", + "port": "ポート", "account_is_already_configured": "アカウントはすでに設定されています", "abort_already_in_progress": "構成フローはすでに進行中です", - "failed_to_connect": "接続に失敗しました", "invalid_access_token": "無効なアクセストークン", "received_invalid_token_data": "無効なトークンデータを受信しました。", "abort_oauth_failed": "アクセストークンの取得中にエラーが発生しました。", "timeout_resolving_oauth_token": "OAuth トークンを解決するタイムアウト。", "abort_oauth_unauthorized": "アクセス トークンの取得中に OAuth 認証エラーが発生しました。", - "re_authentication_was_successful": "再認証に成功しました", - "timeout_establishing_connection": "接続確立時にタイムアウト", - "unexpected_error": "予期しないエラー", "successfully_authenticated": "正常に認証されました", - "link_google_account": "Googleアカウントをリンクする", + "link_fitbit": "Fitbit をリンクする", "pick_authentication_method": "認証方法の選択", "authentication_expired_for_name": "{name} の認証の有効期限が切れました", "service_is_already_configured": "サービスはすでに設定されています", - "confirm_description": "{name} をセットアップしますか?", - "device_is_already_configured": "デバイスはすでに設定されています", - "abort_no_devices_found": "ネットワーク上にデバイスが見つかりません", - "connection_error_error": "接続エラー: {error}", - "invalid_authentication_error": "無効な認証: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "ユーザー名", - "authenticate": "認証する", - "host": "Host", - "abort_single_instance_allowed": "すでに設定されています。設定できるのは1つだけです。", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "{name} をセットアップしますか?", + "adapter": "アダプター", + "multiple_adapters_description": "セットアップする、Bluetoothアダプターを選択してください", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "APIキー", + "configure_daikin_ac": "ダイキン製エアコンの設定", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1910,6 +1986,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "接続できません。詳細: {error_detail}", + "unknown_details_error_detail": "予期しないエラー。詳細: {error_detail}", + "uses_an_ssl_certificate": "SSL証明書を使用する", + "verify_ssl_certificate": "SSL証明書を確認する", + "timeout_establishing_connection": "接続確立時にタイムアウト", + "link_google_account": "Googleアカウントをリンクする", + "abort_no_devices_found": "ネットワーク上にデバイスが見つかりません", + "connection_error_error": "接続エラー: {error}", + "invalid_authentication_error": "無効な認証: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "認証する", + "device_class": "デバイスクラス", + "state_template": "状態テンプレート", + "template_binary_sensor": "テンプレートバイナリセンサー", + "template_sensor": "テンプレートセンサー", + "template_a_binary_sensor": "バイナリーセンサーのテンプレート", + "template_a_sensor": "センサーのテンプレート", + "template_helper": "テンプレートヘルパー", + "location_is_already_configured": "ロケーションはすでに設定されています", + "failed_to_connect_error": "接続に失敗しました: {error}", + "invalid_api_key": "無効なAPIキー", + "pin_code": "PINコード", + "discovered_android_tv": "Android TVを発見", + "known_hosts": "既知のホスト", + "google_cast_configuration": "Google Castの設定", "abort_invalid_host": "無効なホスト名またはIPアドレス", "device_not_supported": "デバイスはサポートされていません", "name_model_at_host": "{name} ({model} at {host})", @@ -1919,30 +2020,6 @@ "yes_do_it": "はい、やります。", "unlock_the_device_optional": "デバイスのロックを解除(オプション)", "connect_to_the_device": "デバイスに接続", - "no_port_for_endpoint": "エンドポイント用のポートがありません", - "abort_no_services": "エンドポイントにサービスが見つかりません", - "port": "ポート", - "discovered_wyoming_service": "ワイオミングのサービスを発見", - "invalid_authentication": "無効な認証", - "two_factor_code": "多要素認証コード", - "two_factor_authentication": "多要素認証", - "sign_in_with_ring_account": "Ringアカウントでサインイン", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Fitbit をリンクする", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid(無効な)birth topic", "error_bad_certificate": "CA証明書が無効です", "invalid_discovery_prefix": "無効な検出プレフィックス", @@ -1966,8 +2043,9 @@ "path_is_not_allowed": "パスが許可されていません", "path_is_not_valid": "パスが無効です", "path_to_file": "ファイルへのパス", - "known_hosts": "既知のホスト", - "google_cast_configuration": "Google Castの設定", + "api_error_occurred": "APIエラーが発生しました", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "HTTPSを有効", "abort_mdns_missing_mac": "MDNSプロパティに、MACアドレスがありません。", "abort_mqtt_missing_api": "MQTT プロパティに API ポートがありません。", "abort_mqtt_missing_ip": "MQTT プロパティに IP アドレスがありません。", @@ -1975,10 +2053,35 @@ "service_received": "受信したサービス", "discovered_esphome_node": "ESPHomeのノードが検出されました", "encryption_key": "暗号化キー", + "component_cloud_config_step_other": "空", + "no_port_for_endpoint": "エンドポイント用のポートがありません", + "abort_no_services": "エンドポイントにサービスが見つかりません", + "discovered_wyoming_service": "ワイオミングのサービスを発見", + "abort_api_error": "SwitchBot API との通信中にエラーが発生しました: {error_detail}", + "unsupported_switchbot_type": "サポートしていない種類のSwitchbot", + "authentication_failed_error_detail": "認証に失敗しました: {error_detail}", + "error_encryption_key_invalid": "キーIDまたは暗号化キーが無効です", + "name_address": "{name} ( {address} )", + "switchbot_account_recommended": "SwitchBot アカウント (推奨)", + "menu_options_lock_key": "ロック暗号化キーを手動で入力します", + "key_id": "キーID", + "password_description": "バックアップを保護するためのパスワード。", + "device_address": "デバイスアドレス", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "多要素認証コード", + "two_factor_authentication": "多要素認証", + "sign_in_with_ring_account": "Ringアカウントでサインイン", + "bridge_is_already_configured": "ブリッジはすでに構成されています", + "no_deconz_bridges_discovered": "deCONZブリッジは検出されませんでした", + "abort_no_hardware_available": "deCONZに接続されている無線ハードウェアがありません", + "abort_updated_instance": "新しいホストアドレスでdeCONZインスタンスを更新しました", + "error_linking_not_possible": "ゲートウェイとリンクできませんでした", + "error_no_key": "APIキーを取得できませんでした", + "link_with_deconz": "deCONZとリンクする", + "select_discovered_deconz_gateway": "検出された、deCONZ gatewayを選択", "all_entities": "すべてのエンティティ", "hide_members": "メンバーを非表示にする", "add_group": "グループの追加", - "device_class": "デバイスクラス", "ignore_non_numeric": "数値以外を無視", "data_round_digits": "値を小数点以下の桁数に丸める", "type": "タイプ", @@ -1991,83 +2094,50 @@ "media_player_group": "メディアプレーヤーグループ", "sensor_group": "センサーグループ", "switch_group": "スイッチグループ", - "name_already_exists": "名前はすでに存在します", - "passive": "パッシブ", - "define_zone_parameters": "ゾーンパラメータを定義する", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "component_cloud_config_step_other": "空", - "re_configuration_was_successful": "再設定に成功しました", - "error_custom_port_not_supported": "Gen1 デバイスはカスタム ポートをサポートしていません。", "abort_alternative_integration": "デバイスは別の統合で、より適切にサポートされています", "abort_discovery_error": "一致するDLNA デバイスを検出できませんでした", "abort_incomplete_config": "設定に必要な変数がありません", "manual_description": "デバイス記述XMLファイルへのURL", "manual_title": "手動でDLNA DMR機器に接続", "discovered_dlna_dmr_devices": "発見されたDLNA DMR機器", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "名前はすでに存在します", + "passive": "パッシブ", + "define_zone_parameters": "ゾーンパラメータを定義する", "calendar_name": "カレンダー名", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "アダプター", - "multiple_adapters_description": "セットアップする、Bluetoothアダプターを選択してください", - "cannot_connect_details_error_detail": "接続できません。詳細: {error_detail}", - "unknown_details_error_detail": "予期しないエラー。詳細: {error_detail}", - "uses_an_ssl_certificate": "SSL証明書を使用する", - "verify_ssl_certificate": "SSL証明書を確認する", - "configure_daikin_ac": "ダイキン製エアコンの設定", - "pin_code": "PINコード", - "discovered_android_tv": "Android TVを発見", - "state_template": "状態テンプレート", - "template_binary_sensor": "テンプレートバイナリセンサー", - "template_sensor": "テンプレートセンサー", - "template_a_binary_sensor": "バイナリーセンサーのテンプレート", - "template_a_sensor": "センサーのテンプレート", - "template_helper": "テンプレートヘルパー", - "bridge_is_already_configured": "ブリッジはすでに構成されています", - "no_deconz_bridges_discovered": "deCONZブリッジは検出されませんでした", - "abort_no_hardware_available": "deCONZに接続されている無線ハードウェアがありません", - "abort_updated_instance": "新しいホストアドレスでdeCONZインスタンスを更新しました", - "error_linking_not_possible": "ゲートウェイとリンクできませんでした", - "error_no_key": "APIキーを取得できませんでした", - "link_with_deconz": "deCONZとリンクする", - "select_discovered_deconz_gateway": "検出された、deCONZ gatewayを選択", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "サポートしていない種類のSwitchbot", - "authentication_failed_error_detail": "認証に失敗しました: {error_detail}", - "error_encryption_key_invalid": "キーIDまたは暗号化キーが無効です", - "name_address": "{name} ( {address} )", - "switchbot_account_recommended": "SwitchBot アカウント (推奨)", - "menu_options_lock_key": "ロック暗号化キーを手動で入力します", - "key_id": "キーID", - "password_description": "バックアップを保護するためのパスワード。", - "device_address": "デバイスアドレス", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "APIエラーが発生しました", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "HTTPSを有効", - "enable_the_conversation_agent": "会話エージェントを有効にする", - "language_code": "言語コード", - "select_test_server": "テストサーバーの選択", - "data_allow_nameless_uuids": "現在許可されている UUID。削除するにはチェックを外します", - "minimum_rssi": "最小RSSI", - "data_new_uuid": "新しい許可された UUID を入力します", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetoothスキャナーモード", + "passive_scanning": "パッシブスキャン", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2150,6 +2220,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "会話エージェントを有効にする", + "language_code": "言語コード", + "data_process": "センサーとして追加するプロセス", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "現在許可されている UUID。削除するにはチェックを外します", + "minimum_rssi": "最小RSSI", + "data_new_uuid": "新しい許可された UUID を入力します", + "data_calendar_access": "Home Assistantから、Googleカレンダーへのアクセス", + "ignore_cec": "CECを無視する", + "allowed_uuids": "許可されたUUID", + "advanced_google_cast_configuration": "Google Castの高度な設定", "broker_options": "Brokerオプション", "enable_birth_message": "Birth message Enable(有効化)", "birth_message_payload": "Birth message payload(ペイロード)", @@ -2163,115 +2250,48 @@ "will_message_retain": "Will message retain(保持)", "will_message_topic": "Will message topic", "mqtt_options": "MQTTオプション", - "ignore_cec": "CECを無視する", - "allowed_uuids": "許可されたUUID", - "advanced_google_cast_configuration": "Google Castの高度な設定", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetoothスキャナーモード", + "protocol": "プロトコル", + "select_test_server": "テストサーバーの選択", + "retry_count": "再試行回数", + "allow_deconz_clip_sensors": "deCONZ CLIPセンサーを許可する", + "allow_deconz_light_groups": "deCONZ lightグループを許可する", + "data_allow_new_devices": "新しいデバイスの自動追加を許可する", + "deconz_devices_description": "deCONZ デバイスタイプの可視性を設定します", + "deconz_options": "deCONZのオプション", "invalid_url": "無効なURL", "data_browse_unfiltered": "ブラウズ時に互換性のないメディアを表示する", "event_listener_callback_url": "イベントリスナーのコールバックURL", "data_listen_port": "イベントリスナーポート(設定されていない場合はランダム)", "poll_for_device_availability": "デバイスの可用性をポーリング", "init_title": "DLNA Digital Media Rendererの設定", - "passive_scanning": "パッシブスキャン", - "allow_deconz_clip_sensors": "deCONZ CLIPセンサーを許可する", - "allow_deconz_light_groups": "deCONZ lightグループを許可する", - "data_allow_new_devices": "新しいデバイスの自動追加を許可する", - "deconz_devices_description": "deCONZ デバイスタイプの可視性を設定します", - "deconz_options": "deCONZのオプション", - "retry_count": "再試行回数", - "data_calendar_access": "Home Assistantから、Googleカレンダーへのアクセス", - "protocol": "プロトコル", - "data_process": "センサーとして追加するプロセス", - "toggle_entity_name": "トグル {entity_name}", - "turn_off_entity_name": "{entity_name}をオフにする", - "turn_on_entity_name": "{entity_name}をオンにする", - "entity_name_is_off": "{entity_name}はオフです", - "entity_name_is_on": "{entity_name}はオンです", - "trigger_type_changed_states": "{entity_name}をオン/オフなりました", - "entity_name_turned_off": "{entity_name}がオフになりました", - "entity_name_turned_on": "{entity_name}がオンになりました", - "entity_name_is_home": "{entity_name} は、在宅です", - "entity_name_is_not_home": "{entity_name} は、不在です", - "entity_name_enters_a_zone": "{entity_name} がゾーンに入る", - "entity_name_leaves_a_zone": "{entity_name} がゾーンから離れる", - "action_type_set_hvac_mode": "{entity_name} のHVACモードを変更", - "change_preset_on_entity_name": "{entity_name} のプリセットを変更", - "entity_name_measured_humidity_changed": "{entity_name} 測定湿度が変化しました", - "entity_name_measured_temperature_changed": "{entity_name} 測定温度が変化しました", - "entity_name_hvac_mode_changed": "{entity_name} HVACモードが変化しました", - "entity_name_is_buffering": "{entity_name} は、バッファリング中です", - "entity_name_is_idle": "{entity_name} は、アイドル状態です", - "entity_name_is_paused": "{entity_name} は、一時停止しています", - "entity_name_is_playing": "{entity_name} が再生されています", - "entity_name_starts_buffering": "{entity_name} のバッファリングを開始します", - "entity_name_becomes_idle": "{entity_name} がアイドル状態になります", - "entity_name_starts_playing": "{entity_name} が再生を開始します", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "1番目のボタン", "second_button": "2番目のボタン", "third_button": "3番目のボタン", "fourth_button": "4番目のボタン", - "fifth_button": "5番目のボタン", - "sixth_button": "6番目のボタン", + "subtype_button_down": "{subtype} ボタンダウン", + "subtype_button_up": "{subtype} ボタンアップ", "subtype_double_clicked": "\"{subtype}\" ボタンをダブルクリック", - "subtype_continuously_pressed": "\"{subtype}\" ボタンを押し続ける", - "trigger_type_button_long_release": "\"{subtype}\" は長押し後にリリースされました", - "subtype_quadruple_clicked": "\"{subtype}\" ボタンを4回(quadruple)クリック", - "subtype_quintuple_clicked": "\"{subtype}\" ボタンを5回(quintuple)クリック", - "subtype_pressed": "\"{subtype}\" ボタンが押されました。", - "subtype_released": "\"{subtype}\" がリリースされました", + "subtype_double_push": "{subtype} 2回押し", + "subtype_long_clicked": "{subtype} ロングクリック", + "subtype_long_push": "{subtype} 長押し", + "trigger_type_long_single": "{subtype} ロングクリックしてからシングルクリック", + "subtype_single_clicked": "{subtype} シングルクリック", + "trigger_type_single_long": "{subtype} シングルクリックしてからロングクリック", + "subtype_single_push": "{subtype} シングルプッシュ", "subtype_triple_clicked": "\"{subtype}\" ボタンを3回クリック", - "decrease_entity_name_brightness": "{entity_name} 明るさを下げる", - "increase_entity_name_brightness": "{entity_name} 明るさを上げる", - "flash_entity_name": "フラッシュ {entity_name}", - "action_type_select_first": "{entity_name}を最初のオプションに変更します", - "action_type_select_last": "{entity_name}を最後のオプションに変更します", - "action_type_select_next": "{entity_name}を次のオプションに変更します", - "change_entity_name_option": "{entity_name} のオプションを変更", - "action_type_select_previous": "{entity_name}を前のオプションに変更します", - "current_entity_name_selected_option": "現在選択されている {entity_name} のオプション", - "entity_name_option_changed": "{entity_name} オプションが変化しました", - "entity_name_update_availability_changed": "{entity_name} 更新の可用性(availability)が変更されました", - "entity_name_became_up_to_date": "{entity_name} が最新になりました", - "trigger_type_update": "{entity_name} は、利用可能なアップデートを取得しました。", - "subtype_button_down": "{subtype} ボタンダウン", - "subtype_button_up": "{subtype} ボタンアップ", - "subtype_double_push": "{subtype} 2回押し", - "subtype_long_clicked": "{subtype} ロングクリック", - "subtype_long_push": "{subtype} 長押し", - "trigger_type_long_single": "{subtype} ロングクリックしてからシングルクリック", - "subtype_single_clicked": "{subtype} シングルクリック", - "trigger_type_single_long": "{subtype} シングルクリックしてからロングクリック", - "subtype_single_push": "{subtype} シングルプッシュ", "subtype_triple_push": "{subtype}トリプルプッシュ", "set_value_for_entity_name": "{entity_name} の値を設定", + "value": "値", "close_entity_name": "クローズ {entity_name}", "close_entity_name_tilt": "{entity_name}をチルトで閉じる", "open_entity_name": "{entity_name} 解錠", @@ -2291,7 +2311,110 @@ "entity_name_opening": "{entity_name} が開く(Opening)", "entity_name_position_changes": "{entity_name} 位置の変化", "entity_name_tilt_position_changes": "{entity_name}のチルト位置の変化", - "send_a_notification": "通知の送信", + "entity_name_battery_low": "{entity_name} 電池残量が少なくなっています", + "entity_name_is_charging": "{entity_name} は充電中です", + "condition_type_is_co": "{entity_name} が一酸化炭素を検出しています", + "entity_name_is_cold": "{entity_name} 冷えている", + "entity_name_plugged_in": "{entity_name} が接続されています", + "entity_name_is_detecting_gas": "{entity_name} がガスを検出しています", + "entity_name_is_hot": "{entity_name} 熱い", + "entity_name_is_detecting_light": "{entity_name} が光を検知しています", + "entity_name_locked": "{entity_name} はロックされています", + "entity_name_is_moist": "{entity_name} は湿っています", + "entity_name_is_detecting_motion": "{entity_name} は、動きを検出しています", + "entity_name_is_moving": "{entity_name} が移動中です", + "condition_type_is_no_co": "{entity_name} は一酸化炭素を検出していません", + "condition_type_is_no_gas": "{entity_name} は、ガスを検出していません", + "condition_type_is_no_light": "{entity_name} は、光を検出していません", + "condition_type_is_no_motion": "{entity_name} は、動きを検出していません", + "condition_type_is_no_problem": "{entity_name} は、問題を検出していません", + "condition_type_is_no_smoke": "{entity_name} は、煙を検出していません", + "condition_type_is_no_sound": "{entity_name} は、音を検出していません", + "entity_name_is_up_to_date": "{entity_name} は最新です", + "condition_type_is_no_vibration": "{entity_name} は振動を感知していません", + "entity_name_battery_is_normal": "{entity_name} バッテリーは正常です", + "entity_name_is_not_charging": "{entity_name} は充電されていません", + "entity_name_is_not_cold": "{entity_name} 冷えていません", + "entity_name_disconnected": "{entity_name}は切断されています", + "entity_name_is_not_hot": "{entity_name} は熱くありません", + "entity_name_is_unlocked": "{entity_name} のロックは解除されています", + "entity_name_is_dry": "{entity_name} は乾燥しています", + "entity_name_is_not_moving": "{entity_name} は動いていません", + "entity_name_is_not_occupied": "{entity_name} は占有されていません", + "entity_name_is_unplugged": "{entity_name} プラグが抜かれています", + "entity_name_is_not_powered": "{entity_name} は電力が供給されていません", + "entity_name_not_present": "{entity_name} が存在しません", + "entity_name_is_not_running": "{entity_name} は実行されていません", + "condition_type_is_not_tampered": "{entity_name} は干渉(tampering)を検出していません", + "entity_name_is_safe": "{entity_name} は安全です", + "entity_name_is_occupied": "{entity_name} は占有されています", + "entity_name_is_off": "{entity_name}はオフです", + "entity_name_is_on": "{entity_name}はオンです", + "entity_name_is_powered": "{entity_name} の電源が入っています", + "entity_name_is_present": "{entity_name} が存在します", + "entity_name_is_detecting_problem": "{entity_name} が、問題を検出しています", + "entity_name_is_running": "{entity_name} が実行されています", + "entity_name_is_detecting_smoke": "{entity_name} が煙を検知しています", + "entity_name_is_detecting_sound": "{entity_name} が音を検知しています", + "entity_name_is_detecting_tampering": "{entity_name} が干渉(tampering)を検出しています", + "entity_name_is_unsafe": "{entity_name} は安全ではありません", + "condition_type_is_update": "{entity_name} に利用可能なアップデートがあります", + "entity_name_is_detecting_vibration": "{entity_name} が振動を感知しています", + "entity_name_charging": "{entity_name} 充電中", + "trigger_type_co": "{entity_name} が一酸化炭素の検出を開始しました", + "entity_name_became_cold": "{entity_name} 冷えています", + "entity_name_connected": "{entity_name} 接続されています", + "entity_name_started_detecting_gas": "{entity_name} がガスの検出を開始しました", + "entity_name_became_hot": "{entity_name} 温まっています", + "entity_name_started_detecting_light": "{entity_name} は、光の検出を開始しました", + "entity_name_became_moist": "{entity_name} が湿った", + "entity_name_started_detecting_motion": "{entity_name} は、動きを検出し始めました", + "entity_name_started_moving": "{entity_name} は、移動を開始しました", + "trigger_type_no_co": "{entity_name} が一酸化炭素の検出を停止しました", + "entity_name_stopped_detecting_gas": "{entity_name} は、ガスの検出を停止しました", + "entity_name_stopped_detecting_light": "{entity_name} は、光の検出を停止しました", + "entity_name_stopped_detecting_motion": "{entity_name} は、動きの検出を停止しました", + "entity_name_stopped_detecting_problem": "{entity_name} は、問題の検出を停止しました", + "entity_name_stopped_detecting_smoke": "{entity_name} は、煙の検出を停止しました", + "entity_name_stopped_detecting_sound": "{entity_name} は、音の検出を停止しました", + "entity_name_became_up_to_date": "{entity_name} が最新になりました", + "entity_name_stopped_detecting_vibration": "{entity_name} が振動を感知しなくなった", + "entity_name_battery_normal": "{entity_name} バッテリー正常", + "entity_name_not_charging": "{entity_name}充電されていません", + "entity_name_became_not_cold": "{entity_name} は冷えていません", + "entity_name_became_not_hot": "{entity_name} 温まっていません", + "entity_name_unlocked": "{entity_name} のロックが解除されました", + "entity_name_stopped_moving": "{entity_name} が動きを停止しました", + "entity_name_became_not_occupied": "{entity_name} が占有されなくなりました", + "entity_name_unplugged": "{entity_name} のプラグが抜かれました", + "entity_name_not_powered": "{entity_name} は電源が入っていません", + "trigger_type_not_running": "{entity_name} はもう実行されていない", + "entity_name_stopped_detecting_tampering": "{entity_name} が干渉(tampering)の検出を停止しました", + "entity_name_became_safe": "{entity_name} が安全になりました", + "entity_name_became_occupied": "{entity_name} が占有されました", + "entity_name_powered": "{entity_name} 電源", + "entity_name_present": "{entity_name} が存在", + "entity_name_started_detecting_problem": "{entity_name} が、問題の検出を開始しました", + "entity_name_started_running": "{entity_name} の実行を開始", + "entity_name_started_detecting_smoke": "{entity_name} が煙の検出を開始しました", + "entity_name_started_detecting_sound": "{entity_name} が音の検出を開始しました", + "entity_name_started_detecting_tampering": "{entity_name} が干渉(tampering)の検出を開始しました", + "entity_name_turned_off": "{entity_name}がオフになりました", + "entity_name_turned_on": "{entity_name}がオンになりました", + "entity_name_became_unsafe": "{entity_name} は安全ではなくなりました", + "trigger_type_update": "{entity_name} は、利用可能なアップデートを取得しました。", + "entity_name_started_detecting_vibration": "{entity_name} が振動を感知し始めました", + "entity_name_is_buffering": "{entity_name} は、バッファリング中です", + "entity_name_is_idle": "{entity_name} は、アイドル状態です", + "entity_name_is_paused": "{entity_name} は、一時停止しています", + "entity_name_is_playing": "{entity_name} が再生されています", + "entity_name_starts_buffering": "{entity_name} のバッファリングを開始します", + "trigger_type_changed_states": "{entity_name}をオン/オフなりました", + "entity_name_becomes_idle": "{entity_name} がアイドル状態になります", + "entity_name_starts_playing": "{entity_name} が再生を開始します", + "toggle_entity_name": "トグル {entity_name}", + "turn_off_entity_name": "{entity_name}をオフにする", + "turn_on_entity_name": "{entity_name}をオンにする", "arm_entity_name_away": "警戒 {entity_name} 離席(away)", "arm_entity_name_home": "警戒 {entity_name} 在宅", "arm_entity_name_night": "警戒 {entity_name} 夜", @@ -2309,12 +2432,25 @@ "entity_name_armed_night": "{entity_name} 警戒 夜", "entity_name_armed_vacation": "{entity_name}警戒 バケーション", "entity_name_disarmed": "{entity_name} 解除", + "entity_name_is_home": "{entity_name} は、在宅です", + "entity_name_is_not_home": "{entity_name} は、不在です", + "entity_name_enters_a_zone": "{entity_name} がゾーンに入る", + "entity_name_leaves_a_zone": "{entity_name} がゾーンから離れる", + "lock_entity_name": "ロック {entity_name}", + "unlock_entity_name": "アンロック {entity_name}", + "action_type_set_hvac_mode": "{entity_name} のHVACモードを変更", + "change_preset_on_entity_name": "{entity_name} のプリセットを変更", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} 測定湿度が変化しました", + "entity_name_measured_temperature_changed": "{entity_name} 測定温度が変化しました", + "entity_name_hvac_mode_changed": "{entity_name} HVACモードが変化しました", "current_entity_name_apparent_power": "現在の{entity_name}の皮相電力", "condition_type_is_aqi": "現在の{entity_name}大気質指数", "current_entity_name_atmospheric_pressure": "現在の{entity_name}の気圧", "current_entity_name_battery_level": "現在の {entity_name} 電池残量", "condition_type_is_carbon_dioxide": "現在の {entity_name} 二酸化炭素濃度レベル", "condition_type_is_carbon_monoxide": "現在の {entity_name} 一酸化炭素濃度レベル", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "現在の {entity_name} 電流", "current_entity_name_data_rate": "現在の {entity_name} データ レート", "current_entity_name_data_size": "現在の{entity_name}データ サイズ", @@ -2359,6 +2495,7 @@ "entity_name_battery_level_changes": "{entity_name} 電池残量の変化", "trigger_type_carbon_dioxide": "{entity_name} 二酸化炭素濃度の変化", "trigger_type_carbon_monoxide": "{entity_name} 一酸化炭素濃度の変化", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} 現在の変化", "entity_name_data_rate_changes": "{entity_name}データ レートの変更", "entity_name_data_size_changes": "{entity_name}データ サイズの変更", @@ -2397,95 +2534,28 @@ "entity_name_water_changes": "{entity_name} 水の変化", "entity_name_weight_changes": "{entity_name} 重量の変化", "entity_name_wind_speed_changes": "{entity_name}風速の変化", - "press_entity_name_button": "{entity_name} ボタンを押す", - "entity_name_has_been_pressed": "{entity_name} が押されました", - "entity_name_battery_low": "{entity_name} 電池残量が少なくなっています", - "entity_name_is_charging": "{entity_name} は充電中です", - "condition_type_is_co": "{entity_name} が一酸化炭素を検出しています", - "entity_name_is_cold": "{entity_name} 冷えている", - "entity_name_plugged_in": "{entity_name} が接続されています", - "entity_name_is_detecting_gas": "{entity_name} がガスを検出しています", - "entity_name_is_hot": "{entity_name} 熱い", - "entity_name_is_detecting_light": "{entity_name} が光を検知しています", - "entity_name_locked": "{entity_name} はロックされています", - "entity_name_is_moist": "{entity_name} は湿っています", - "entity_name_is_detecting_motion": "{entity_name} は、動きを検出しています", - "entity_name_is_moving": "{entity_name} が移動中です", - "condition_type_is_no_co": "{entity_name} は一酸化炭素を検出していません", - "condition_type_is_no_gas": "{entity_name} は、ガスを検出していません", - "condition_type_is_no_light": "{entity_name} は、光を検出していません", - "condition_type_is_no_motion": "{entity_name} は、動きを検出していません", - "condition_type_is_no_problem": "{entity_name} は、問題を検出していません", - "condition_type_is_no_smoke": "{entity_name} は、煙を検出していません", - "condition_type_is_no_sound": "{entity_name} は、音を検出していません", - "entity_name_is_up_to_date": "{entity_name} は最新です", - "condition_type_is_no_vibration": "{entity_name} は振動を感知していません", - "entity_name_battery_is_normal": "{entity_name} バッテリーは正常です", - "entity_name_is_not_charging": "{entity_name} は充電されていません", - "entity_name_is_not_cold": "{entity_name} 冷えていません", - "entity_name_disconnected": "{entity_name} が切断されました", - "entity_name_is_not_hot": "{entity_name} は熱くありません", - "entity_name_is_unlocked": "{entity_name} のロックは解除されています", - "entity_name_is_dry": "{entity_name} は乾燥しています", - "entity_name_is_not_moving": "{entity_name} は動いていません", - "entity_name_is_not_occupied": "{entity_name} は占有されていません", - "entity_name_is_unplugged": "{entity_name} プラグが抜かれています", - "entity_name_is_not_powered": "{entity_name} は電力が供給されていません", - "entity_name_not_present": "{entity_name} が存在しません", - "entity_name_is_not_running": "{entity_name} は実行されていません", - "condition_type_is_not_tampered": "{entity_name} は干渉(tampering)を検出していません", - "entity_name_is_safe": "{entity_name} は安全です", - "entity_name_is_occupied": "{entity_name} は占有されています", - "entity_name_is_powered": "{entity_name} の電源が入っています", - "entity_name_is_present": "{entity_name} が存在します", - "entity_name_is_detecting_problem": "{entity_name} が、問題を検出しています", - "entity_name_is_running": "{entity_name} が実行されています", - "entity_name_is_detecting_smoke": "{entity_name} が煙を検知しています", - "entity_name_is_detecting_sound": "{entity_name} が音を検知しています", - "entity_name_is_detecting_tampering": "{entity_name} が干渉(tampering)を検出しています", - "entity_name_is_unsafe": "{entity_name} は安全ではありません", - "condition_type_is_update": "{entity_name} に利用可能なアップデートがあります", - "entity_name_is_detecting_vibration": "{entity_name} が振動を感知しています", - "entity_name_charging": "{entity_name} 充電中", - "trigger_type_co": "{entity_name} が一酸化炭素の検出を開始しました", - "entity_name_became_cold": "{entity_name} 冷えています", - "entity_name_connected": "{entity_name} 接続されています", - "entity_name_started_detecting_gas": "{entity_name} がガスの検出を開始しました", - "entity_name_became_hot": "{entity_name} 温まっています", - "entity_name_started_detecting_light": "{entity_name} は、光の検出を開始しました", - "entity_name_became_moist": "{entity_name} が湿った", - "entity_name_started_detecting_motion": "{entity_name} は、動きを検出し始めました", - "entity_name_started_moving": "{entity_name} は、移動を開始しました", - "trigger_type_no_co": "{entity_name} が一酸化炭素の検出を停止しました", - "entity_name_stopped_detecting_gas": "{entity_name} は、ガスの検出を停止しました", - "entity_name_stopped_detecting_light": "{entity_name} は、光の検出を停止しました", - "entity_name_stopped_detecting_motion": "{entity_name} は、動きの検出を停止しました", - "entity_name_stopped_detecting_problem": "{entity_name} は、問題の検出を停止しました", - "entity_name_stopped_detecting_smoke": "{entity_name} は、煙の検出を停止しました", - "entity_name_stopped_detecting_sound": "{entity_name} は、音の検出を停止しました", - "entity_name_stopped_detecting_vibration": "{entity_name} が振動を感知しなくなった", - "entity_name_battery_normal": "{entity_name} バッテリー正常", - "entity_name_not_charging": "{entity_name}充電されていません", - "entity_name_became_not_cold": "{entity_name} は冷えていません", - "entity_name_became_not_hot": "{entity_name} 温まっていません", - "entity_name_unlocked": "{entity_name} のロックが解除されました", - "entity_name_stopped_moving": "{entity_name} が動きを停止しました", - "entity_name_became_not_occupied": "{entity_name} が占有されなくなりました", - "entity_name_unplugged": "{entity_name} のプラグが抜かれました", - "entity_name_not_powered": "{entity_name} は電源が入っていません", - "trigger_type_not_running": "{entity_name} はもう実行されていない", - "entity_name_stopped_detecting_tampering": "{entity_name} が干渉(tampering)の検出を停止しました", - "entity_name_became_safe": "{entity_name} が安全になりました", - "entity_name_became_occupied": "{entity_name} が占有されました", - "entity_name_powered": "{entity_name} 電源", - "entity_name_present": "{entity_name} が存在", - "entity_name_started_detecting_problem": "{entity_name} が、問題の検出を開始しました", - "entity_name_started_running": "{entity_name} の実行を開始", - "entity_name_started_detecting_smoke": "{entity_name} が煙の検出を開始しました", - "entity_name_started_detecting_sound": "{entity_name} が音の検出を開始しました", - "entity_name_started_detecting_tampering": "{entity_name} が干渉(tampering)の検出を開始しました", - "entity_name_became_unsafe": "{entity_name} は安全ではなくなりました", - "entity_name_started_detecting_vibration": "{entity_name} が振動を感知し始めました", + "decrease_entity_name_brightness": "{entity_name} 明るさを下げる", + "increase_entity_name_brightness": "{entity_name} 明るさを上げる", + "flash_entity_name": "フラッシュ {entity_name}", + "flash": "フラッシュ", + "fifth_button": "5番目のボタン", + "sixth_button": "6番目のボタン", + "subtype_continuously_pressed": "\"{subtype}\" ボタンを押し続ける", + "trigger_type_button_long_release": "\"{subtype}\" は長押し後にリリースされました", + "subtype_quadruple_clicked": "\"{subtype}\" ボタンを4回(quadruple)クリック", + "subtype_quintuple_clicked": "\"{subtype}\" ボタンを5回(quintuple)クリック", + "subtype_pressed": "\"{subtype}\" ボタンが押されました。", + "subtype_released": "\"{subtype}\" がリリースされました", + "action_type_select_first": "{entity_name}を最初のオプションに変更します", + "action_type_select_last": "{entity_name}を最後のオプションに変更します", + "action_type_select_next": "{entity_name}を次のオプションに変更します", + "change_entity_name_option": "{entity_name} のオプションを変更", + "action_type_select_previous": "{entity_name}を前のオプションに変更します", + "current_entity_name_selected_option": "現在選択されている {entity_name} のオプション", + "cycle": "サイクル", + "from": "From", + "entity_name_option_changed": "{entity_name} オプションが変化しました", + "send_a_notification": "通知の送信", "both_buttons": "両方のボタン", "bottom_buttons": "下部のボタン", "seventh_button": "7番目のボタン", @@ -2511,22 +2581,29 @@ "trigger_type_remote_rotate_from_side": "デバイスが、\"side 6\" から \"{subtype} \"に回転した", "device_turned_clockwise": "デバイスが時計回りに", "device_turned_counter_clockwise": "デバイスが反時計回りに", - "lock_entity_name": "ロック {entity_name}", - "unlock_entity_name": "アンロック {entity_name}", - "critical": "深刻", - "debug": "デバッグ", - "warning": "警告", + "press_entity_name_button": "{entity_name} ボタンを押す", + "entity_name_has_been_pressed": "{entity_name} が押されました", + "entity_name_update_availability_changed": "{entity_name} 更新の可用性(availability)が変更されました", "add_to_queue": "キューに追加", "play_next": "次を再生", "options_replace": "今すぐ再生してキューをクリア", "repeat_all": "すべて繰り返す", "repeat_one": "1 つ繰り返す", - "alice_blue": "アリスブルー", - "antique_white": "アンティークホワイト", - "aqua": "アクア", - "aquamarine": "アクアマリン", - "azure": "アズール", - "beige": "ベージュ", + "critical": "深刻", + "debug": "デバッグ", + "warning": "警告", + "most_recently_updated": "最新の更新", + "arithmetic_mean": "算術平均", + "median": "中央値", + "product": "プロダクト", + "statistical_range": "統計範囲", + "standard_deviation": "標準偏差", + "alice_blue": "アリスブルー", + "antique_white": "アンティークホワイト", + "aqua": "アクア", + "aquamarine": "アクアマリン", + "azure": "アズール", + "beige": "ベージュ", "bisque": "ビスク", "blanched_almond": "ブランチングアーモンド", "blue_violet": "ブルーバイオレット", @@ -2641,16 +2718,109 @@ "violet": "バイオレット", "wheat": "小麦", "white_smoke": "ホワイトスモーク", + "fatal": "致命的", "no_device_class": "デバイスクラスなし", "no_state_class": "状態クラスがありません", "no_unit_of_measurement": "測定単位なし", - "fatal": "致命的", - "most_recently_updated": "最新の更新", - "arithmetic_mean": "算術平均", - "median": "中央値", - "product": "プロダクト", - "statistical_range": "統計範囲", - "standard_deviation": "標準偏差", + "dump_log_objects": "ログオブジェクトをダンプします", + "log_current_tasks_description": "現在のすべての非同期タスクをログに記録します。", + "log_current_asyncio_tasks": "現在の非同期タスクをログに記録する", + "log_event_loop_scheduled": "スケジュールされたログイベントループ", + "log_thread_frames_description": "すべてのスレッドの現在のフレームをログに記録します。", + "log_thread_frames": "ログスレッドフレーム", + "lru_stats_description": "すべての lru キャッシュの統計をログに記録します。", + "log_lru_stats": "LRU 統計のログ記録", + "starts_the_memory_profiler": "メモリプロファイラを起動します。", + "memory": "メモリー", + "set_asyncio_debug_description": "asyncioデバッグを有効または無効にする。", + "enabled_description": "asyncio デバッグを有効にするか無効にするか。", + "set_asyncio_debug": "asyncioデバッグを設定する", + "starts_the_profiler": "プロファイラを起動します。", + "max_objects_description": "ログに記録するオブジェクトの最大数。", + "maximum_objects": "最大オブジェクト数", + "scan_interval_description": "ログオブジェクト間の秒数。", + "scan_interval": "スキャン間隔", + "start_logging_object_sources": "オブジェクトソースのロギングを開始する", + "start_log_objects_description": "メモリ内のオブジェクトの増加の記録を開始します。", + "start_logging_objects": "オブジェクトのログ記録を開始する", + "stop_logging_object_sources": "オブジェクトソースのログ記録を停止する", + "stop_log_objects_description": "メモリ内のオブジェクトのログ増加を停止する。", + "stop_logging_objects": "オブジェクトのログ記録を停止する", + "request_sync_description": "request_sync コマンドを Google に送信します。", + "agent_user_id": "エージェントのユーザーID", + "request_sync": "同期をリクエストする", + "reload_resources_description": "YAML 構成からダッシュボードリソースをリロードします。", + "clears_all_log_entries": "すべてのログエントリをクリアします。", + "clear_all": "すべてクリア", + "write_log_entry": "ログエントリを書き込みます。", + "log_level": "ログレベル。", + "level": "レベル", + "message_to_log": "ログに記録するメッセージ。", + "write": "書き込み", + "set_value_description": "数値の値を設定します。", + "value_description": "構成パラメータの値。", + "create_temporary_strict_connection_url_name": "一時的な厳密な接続URLを作成する", + "toggles_the_siren_on_off": "サイレンのオン/オフを切り替えます。", + "turns_the_siren_off": "サイレンを消します。", + "turns_the_siren_on": "サイレンを鳴らします。", + "tone": "トーン", + "add_event_description": "新しいカレンダーイベントを追加します。", + "location_description": "イベントの場所。オプション。", + "start_date_description": "終日イベントの開始日。", + "create_event": "イベントの作成", + "get_events": "イベントの取得", + "list_event": "リストイベント", + "closes_a_cover": "カバーを閉じます。", + "close_cover_tilt_description": "カバーを傾けて閉じます。", + "close_tilt": "チルト閉", + "opens_a_cover": "カバーを開けます。", + "tilts_a_cover_open": "カバーを傾けて開きます。", + "open_tilt": "チルト開", + "set_cover_position_description": "カバーを特定の位置に移動します。", + "target_position": "ターゲット位置。", + "set_position": "セットポジション", + "target_tilt_positition": "チルト位置の目標。", + "set_tilt_position": "チルト位置を設定", + "stops_the_cover_movement": "カバーの動きを止めます。", + "stop_cover_tilt_description": "カバーのチルトの動きを止めます。", + "stop_tilt": "チルト停止", + "toggles_a_cover_open_closed": "カバーの開閉を切り替えます。", + "toggle_cover_tilt_description": "カバーのチルトの開閉を切り替える。", + "toggle_tilt": "チルト トグル", + "check_configuration": "設定の確認", + "reload_all": "すべてリロード", + "reload_config_entry_description": "指定された構成エントリを再ロードします。", + "config_entry_id": "構成エントリID", + "reload_config_entry": "設定エントリをリロードする", + "reload_core_config_description": "YAML 構成 からコアコンフィギュレーションをリロードします。", + "reload_core_configuration": "コア構成をリロードする", + "reload_custom_jinja_templates": "カスタムJinja2テンプレートのリロード", + "restarts_home_assistant": "Home Assistantを再起動します。", + "safe_mode_description": "カスタム統合とカスタム カードを無効にします。", + "save_persistent_states": "永続的な状態の保存", + "set_location_description": "Home Assistantの位置を更新します。", + "elevation_of_your_location": "現在地の標高。", + "latitude_of_your_location": "現在地の緯度", + "longitude_of_your_location": "現在地の経度。", + "set_location": "場所を設定", + "stops_home_assistant": "Home Assistantを停止します。", + "generic_toggle": "汎用トグル", + "generic_turn_off": "汎用的なオフ", + "generic_turn_on": "汎用的なオン", + "update_entity": "エンティティの更新", + "creates_a_new_backup": "新しいバックアップを作成します。", + "decrement_description": "現在の値を 1 ステップずつデクリメントします。", + "increment_description": "値を 1 ステップずつインクリメントします。", + "sets_the_value": "値を設定する。", + "the_target_value": "ターゲット値。", + "reloads_the_automation_configuration": "オートメーション設定をリロードする。", + "toggle_description": "メディアプレーヤーのオン/オフを切り替えます。", + "trigger_description": "オートメーションのアクションをトリガーします。", + "skip_conditions": "スキップ条件", + "disables_an_automation": "オートメーションを無効にする。", + "stops_currently_running_actions": "現在実行中のアクションを停止します。", + "stop_actions": "アクションの停止", + "enables_an_automation": "オートメーションを有効にする。", "restart_add_on": "アドオンを再起動します。", "the_add_on_slug": "アドオンのスラッグ。", "starts_an_add_on": "アドオンを開始します。", @@ -2678,29 +2848,110 @@ "restore_partial_description": "部分的なバックアップから復元します。", "restores_home_assistant": "Home Assistantを復元します。", "restore_from_partial_backup": "部分バックアップから復元します。", - "broadcast_address": "ブロードキャストアドレス", - "broadcast_port_description": "マジックパケットを送信するポート。", - "broadcast_port": "ブロードキャストポート", - "mac_address": "Macアドレス", - "send_magic_packet": "マジックパケットを送信", + "clears_the_playlist": "プレイリストをクリアします。", + "clear_playlist": "プレイリストをクリア", + "selects_the_next_track": "次のトラックを選択します。", + "pauses": "一時停止します。", + "starts_playing": "再生を開始します。", + "toggles_play_pause": "再生/一時停止を切り替えます。", + "selects_the_previous_track": "前のトラックを選択します。", + "seek": "シーク", + "stops_playing": "再生を停止します。", + "starts_playing_specified_media": "指定したメディアの再生を開始します。", + "announce": "アナウンス", + "enqueue": "キューに入れる", + "repeat_mode_to_set": "リピートモードを設定します。", + "select_sound_mode_description": "特定のサウンドモードを選択します。", + "select_sound_mode": "サウンドモードの選択", + "select_source": "ソースを選択", + "shuffle_description": "シャッフル モードが有効かどうか。", + "unjoin": "参加解除", + "turns_down_the_volume": "音量を下げます。", + "turn_down_volume": "音量を下げる", + "volume_mute_description": "メディアプレーヤーをミュートまたはミュート解除します。", + "is_volume_muted_description": "ミュートするかどうかを定義します。", + "mute_unmute_volume": "音量のミュート/ミュート解除", + "sets_the_volume_level": "音量レベルを設定します。", + "set_volume": "音量設定", + "turns_up_the_volume": "音量を上げます。", + "turn_up_volume": "音量を上げる", + "apply_filter": "フィルタを適用する", + "days_to_keep": "保管日数", + "repack": "リパック", + "purge": "パージ", + "domains_to_remove": "削除するドメイン", + "entity_globs_to_remove": "削除するエンティティ グロブ", + "entities_to_remove": "削除するエンティティ", + "purge_entities": "エンティティのパージ", + "decrease_speed_description": "ファンの速度を下げます。", + "percentage_step_description": "パーセント単位で速度を上げます。", + "decrease_speed": "速度を下げる", + "increase_speed_description": "ファンの速度を上げます。", + "increase_speed": "速度を上げます", + "oscillate_description": "ファンの首振りを制御します。", + "turn_on_off_oscillation": "首振りのオン/オフを切り替えます。", + "set_direction_description": "ファンの回転方向を設定します。", + "direction_to_rotate": "回転する方向。", + "set_direction": "方向設定", + "sets_the_fan_speed": "ファンの速度を設定します。", + "speed_of_the_fan": "ファンの速度。", + "percentage": "パーセント", + "set_speed": "設定速度", + "sets_preset_mode": "プリセットモードを設定します。", + "set_preset_mode": "プリセットモードの設定", + "toggles_the_fan_on_off": "ファンのオン/オフを切り替えます。", + "turns_fan_off": "ファンをオフにします。", + "turns_fan_on": "ファンをオンにします。", + "apply_description": "設定を使用してシーンをアクティブにします。", + "entities_description": "エンティティとそのターゲット状態のリスト。", + "transition": "トランジション", + "apply": "適用する", + "creates_a_new_scene": "新しいシーンを作成します。", + "scene_id_description": "新しいシーンのエンティティ ID。", + "scene_entity_id": "シーンエンティティID", + "snapshot_entities": "スナップショットエンティティ", + "delete_description": "動的に作成されたシーンを削除します。", + "activates_a_scene": "シーンをアクティブにします。", + "selects_the_first_option": "最初のオプションを選択します。", + "first": "最初", + "selects_the_last_option": "最後のオプションを選択します。", + "select_the_next_option": "次のオプションを選択します。", + "selects_an_option": "オプションを選択します。", + "option_to_be_selected": "選択するオプション。", + "selects_the_previous_option": "前のオプションを選択します。", + "sets_the_options": "オプションを設定する。", + "list_of_options": "オプションのリスト。", + "set_options": "オプションを設定する", + "closes_a_valve": "バルブを閉じます。", + "opens_a_valve": "バルブを開きます。", + "set_valve_position_description": "バルブを特定の位置に動かします。", + "stops_the_valve_movement": "バルブの動きを止めます。", + "toggles_a_valve_open_closed": "バルブの開閉を切り替えます。", + "load_url_description": "Kiosk Browser に URL を読み込みます。", + "url_to_load": "ロードする URL。", + "load_url": "URLをロード", + "configuration_parameter_to_set": "設定する構成パラメータ。", + "key": "キー", + "set_configuration": "構成の設定", + "application_description": "起動するアプリケーションのパッケージ名。", + "application": "アプリケーション", + "start_application": "アプリケーションを開始", "command_description": "Google アシスタントに送信するコマンド。", "media_player_entity": "メディアプレーヤーエンティティ", "send_text_command": "テキストコマンドを送信", - "clear_tts_cache": "TTSキャッシュのクリア", - "cache": "キャッシュ", - "entity_id_description": "ログブックのエントリで参照するエンティティ。", - "language_description": "テキストの言語。デフォルトはサーバー言語です。", - "options_description": "統合固有のオプションを含むディクショナリ。", - "say_a_tts_message": "TTSメッセージを言う", - "media_player_entity_id_description": "メッセージを再生するメディア プレーヤー。", - "speak": "話す", - "stops_a_running_script": "実行中のスクリプトを停止します。", - "request_sync_description": "request_sync コマンドを Google に送信します。", - "agent_user_id": "エージェントのユーザーID", - "request_sync": "同期をリクエストする", + "code_description": "ロックを解除するためのコード。", + "arm_with_custom_bypass": "警戒 カスタム バイパス", + "alarm_arm_vacation_description": "アラームを 「警戒、バケーション」に設定します。", + "disarms_the_alarm": "アラームを解除します。", + "alarm_trigger_description": "外部アラームトリガーを有効にします。", + "extract_media_url_description": "サービスからメディア URL を抽出します。", + "format_query": "クエリのフォーマット", + "url_description": "メディアが見つかる URL。", + "media_url": "メディアURL", + "get_media_url": "メディア URL を取得", + "play_media_description": "指定された URL からファイルをダウンロードします。", "sets_a_random_effect": "ランダム効果を設定します。", "sequence_description": "HSV 配列のリスト (最大 16)。", - "backgrounds": "バックグラウンド", "initial_brightness": "初期の明るさ。", "range_of_brightness": "明るさの範囲。", "brightness_range": "輝度範囲", @@ -2714,7 +2965,6 @@ "saturation_range": "彩度範囲", "segments_description": "セグメントのリスト(すべて0)。", "segments": "セグメント", - "transition": "トランジション", "range_of_transition": "トランジションの範囲。", "transition_range": "トランジション範囲", "random_effect": "ランダム効果", @@ -2725,59 +2975,7 @@ "speed_of_spread": "拡散の速度。", "spread": "拡散", "sequence_effect": "シーケンス効果", - "check_configuration": "設定の確認", - "reload_all": "すべてリロード", - "reload_config_entry_description": "指定された構成エントリを再ロードします。", - "config_entry_id": "構成エントリID", - "reload_config_entry": "設定エントリをリロードする", - "reload_core_config_description": "YAML 構成 からコアコンフィギュレーションをリロードします。", - "reload_core_configuration": "コア構成をリロードする", - "reload_custom_jinja_templates": "カスタムJinja2テンプレートのリロード", - "restarts_home_assistant": "Home Assistantを再起動します。", - "safe_mode_description": "カスタム統合とカスタム カードを無効にします。", - "save_persistent_states": "永続的な状態の保存", - "set_location_description": "Home Assistantの位置を更新します。", - "elevation_of_your_location": "現在地の標高。", - "latitude_of_your_location": "現在地の緯度", - "longitude_of_your_location": "現在地の経度。", - "set_location": "場所を設定", - "stops_home_assistant": "Home Assistantを停止します。", - "generic_toggle": "汎用トグル", - "generic_turn_off": "汎用的なオフ", - "generic_turn_on": "汎用的なオン", - "update_entity": "エンティティの更新", - "add_event_description": "新しいカレンダーイベントを追加します。", - "location_description": "イベントの場所。オプション。", - "start_date_description": "終日イベントの開始日。", - "create_event": "イベントの作成", - "get_events": "イベントの取得", - "list_event": "リストイベント", - "toggles_a_switch_on_off": "スイッチのオン/オフを切り替えます。", - "turns_a_switch_off": "スイッチをオフにします。", - "turns_a_switch_on": "スイッチをオンにします。", - "disables_the_motion_detection": "モーション検知を無効にします。", - "disable_motion_detection": "モーション検知を無効にする", - "enable_motion_detection": "モーション検出を有効にします。", - "format_description": "メディアプレーヤーがサポートするストリーム形式。", - "format": "フォーマット", - "media_player_description": "ストリーミング先のメディア プレーヤー。", - "play_stream": "ストリームを再生する", - "filename": "ファイル名", - "lookback": "ルックバック", - "snapshot_description": "カメラからスナップショットを取得します。", - "take_snapshot": "スナップショットをとる", - "turns_off_the_camera": "カメラをオフにします。", - "turns_on_the_camera": "カメラをオンにします。", - "notify_description": "選択したターゲットに通知メッセージを送信します。", - "data": "データ", - "message_description": "通知のメッセージ本文。", - "title_of_the_notification": "通知のタイトル。", - "send_a_persistent_notification": "永続的な通知を送信する", - "sends_a_notification_message": "通知メッセージを送信します。", - "your_notification_message": "通知メッセージ。", - "title_description": "オプションの通知タイトル。", - "send_a_notification_message": "通知メッセージを送信する", - "creates_a_new_backup": "新しいバックアップを作成します。", + "press_the_button_entity": "ボタン エンティティを押します。", "see_description": "監視されたデバイスを記録します。", "battery_description": "デバイスのバッテリー残量。", "gps_coordinates": "GPS座標", @@ -2785,17 +2983,47 @@ "hostname_of_the_device": "デバイスのホスト名。", "hostname": "ホスト名", "mac_description": "デバイスのMACアドレス。", + "mac_address": "Macアドレス", "see": "見る", - "log_description": "ログブックにカスタム エントリを作成します。", - "apply_description": "設定を使用してシーンをアクティブにします。", - "entities_description": "エンティティとそのターゲット状態のリスト。", - "apply": "適用する", - "creates_a_new_scene": "新しいシーンを作成します。", - "scene_id_description": "新しいシーンのエンティティ ID。", - "scene_entity_id": "シーンエンティティID", - "snapshot_entities": "スナップショットエンティティ", - "delete_description": "動的に作成されたシーンを削除します。", - "activates_a_scene": "シーンをアクティブにします。", + "process_description": "文字起こしされたテキストから会話を開始します。", + "agent": "エージェント", + "conversation_id": "会話ID", + "language_description": "音声生成に使用する言語。", + "transcribed_text_input": "文字起こししたテキスト入力。", + "process": "プロセス", + "reloads_the_intent_configuration": "インテント設定をリロードします。", + "conversation_agent_to_reload": "会話エージェントをリロードします。", + "create_description": "**通知** パネルに通知を表示します。", + "message_description": "ログブックエントリのメッセージ。", + "notification_id": "通知ID", + "title_description": "通知メッセージのタイトル。", + "dismiss_description": "**通知** パネルから通知を削除します。", + "notification_id_description": "削除する通知の ID。", + "dismiss_all_description": "**通知** パネルからすべての通知を削除します。", + "notify_description": "選択したターゲットに通知メッセージを送信します。", + "data": "データ", + "title_of_the_notification": "通知のタイトル。", + "send_a_persistent_notification": "永続的な通知を送信する", + "sends_a_notification_message": "通知メッセージを送信します。", + "your_notification_message": "通知メッセージ。", + "send_a_notification_message": "通知メッセージを送信する", + "device_description": "コマンドを送信するデバイス ID。", + "delete_command": "コマンドの削除", + "alternative": "代替", + "command_type_description": "学習するコマンドの種類。", + "command_type": "コマンドの種類", + "timeout_description": "コマンドを学習するまでのタイムアウト。", + "learn_command": "コマンドを学習する", + "delay_seconds": "遅延秒数", + "hold_seconds": "ホールド秒", + "send_command": "コマンド送信", + "toggles_a_device_on_off": "デバイスのオン/オフを切り替えます。", + "turns_the_device_off": "デバイスの電源をオフにします。", + "turn_on_description": "電源オンコマンドを送信します。", + "stops_a_running_script": "実行中のスクリプトを停止します。", + "locks_a_lock": "ロックをロックします。", + "opens_a_lock": "ロックを開きます。", + "unlocks_a_lock": "ロックを解除します。", "turns_auxiliary_heater_on_off": "補助ヒーターをオン/オフします。", "aux_heat_description": "補助ヒーターの新しい値。", "auxiliary_heating": "補助暖房", @@ -2808,8 +3036,6 @@ "sets_hvac_operation_mode": "HVAC の動作モードを設定します。", "hvac_operation_mode": "HVAC運転モード。", "set_hvac_mode": "HVACモードの設定", - "sets_preset_mode": "プリセットモードを設定します。", - "set_preset_mode": "プリセットモードの設定", "sets_swing_operation_mode": "スイング動作モードを設定します。", "swing_operation_mode": "スイング動作モード。", "set_swing_mode": "スイングモードの設定", @@ -2821,54 +3047,30 @@ "set_target_temperature": "設定温度の設定", "turns_climate_device_off": "気候デバイスをオフにします。", "turns_climate_device_on": "気候デバイスをオンにします。", - "clears_all_log_entries": "すべてのログエントリをクリアします。", - "clear_all": "すべてクリア", - "write_log_entry": "ログエントリを書き込みます。", - "log_level": "ログレベル。", - "level": "レベル", - "message_to_log": "ログに記録するメッセージ。", - "write": "書き込み", - "device_description": "コマンドを送信するデバイス ID。", - "delete_command": "コマンドの削除", - "alternative": "代替", - "command_type_description": "学習するコマンドの種類。", - "command_type": "コマンドの種類", - "timeout_description": "コマンドを学習するまでのタイムアウト。", - "learn_command": "コマンドを学習する", - "delay_seconds": "遅延秒数", - "hold_seconds": "ホールド秒", - "send_command": "コマンド送信", - "toggles_a_device_on_off": "デバイスのオン/オフを切り替えます。", - "turns_the_device_off": "デバイスの電源をオフにします。", - "turn_on_description": "電源オンコマンドを送信します。", - "clears_the_playlist": "プレイリストをクリアします。", - "clear_playlist": "プレイリストをクリア", - "selects_the_next_track": "次のトラックを選択します。", - "pauses": "一時停止します。", - "starts_playing": "再生を開始します。", - "toggles_play_pause": "再生/一時停止を切り替えます。", - "selects_the_previous_track": "前のトラックを選択します。", - "seek": "シーク", - "stops_playing": "再生を停止します。", - "starts_playing_specified_media": "指定したメディアの再生を開始します。", - "announce": "アナウンス", - "enqueue": "キューに入れる", - "repeat_mode_to_set": "リピートモードを設定します。", - "select_sound_mode_description": "特定のサウンドモードを選択します。", - "select_sound_mode": "サウンドモードの選択", - "select_source": "ソースを選択", - "shuffle_description": "シャッフル モードが有効かどうか。", - "toggle_description": "オートメーションを切り替えます (有効/無効)。", - "unjoin": "参加解除", - "turns_down_the_volume": "音量を下げます。", - "turn_down_volume": "音量を下げる", - "volume_mute_description": "メディアプレーヤーをミュートまたはミュート解除します。", - "is_volume_muted_description": "ミュートするかどうかを定義します。", - "mute_unmute_volume": "音量のミュート/ミュート解除", - "sets_the_volume_level": "音量レベルを設定します。", - "set_volume": "音量設定", - "turns_up_the_volume": "音量を上げます。", - "turn_up_volume": "音量を上げる", + "calendar_id_description": "希望するカレンダーのID。", + "calendar_id": "カレンダーID", + "description_description": "イベントの説明。オプション。", + "summary_description": "イベントのタイトルとして機能します。", + "dashboard_path": "ダッシュボードのパス", + "view_path": "パスを見る", + "show_dashboard_view": "ダッシュボードビューを表示", + "brightness_value": "明るさ値", + "a_human_readable_color_name": "人間が読める色の名前。", + "color_name": "色の名前", + "color_temperature_in_mireds": "ミレッド単位の色温度。", + "light_effect": "光の効果。", + "hue_sat_color": "色相/彩度 色", + "color_temperature_in_kelvin": "ケルビン単位の色温度。", + "profile_description": "使用するライト プロファイルの名前。", + "rgbw_color": "RGBWカラー", + "rgbww_color": "RGBWWカラー", + "white_description": "ライトをホワイトモードに設定します。", + "xy_color": "XYカラー", + "turn_off_description": "1 つ以上の照明を消します。", + "brightness_step_description": "明るさを一定量ずつ変更します。", + "brightness_step_value": "明るさステップ値", + "brightness_step_pct_description": "明るさをパーセンテージで変更します。", + "brightness_step": "明るさステップ", "topic_to_listen_to": "リッスンするトピック。", "topic": "トピック", "export": "エクスポート", @@ -2880,198 +3082,58 @@ "retain": "保持(Retain)", "topic_to_publish_to": "公開先のトピック。", "publish": "公開", - "brightness_value": "輝度値", - "a_human_readable_color_name": "人間が読める色の名前。", - "color_name": "色の名前", - "color_temperature_in_mireds": "ミレッド色温度", - "light_effect": "光の効果。", - "flash": "フラッシュ", - "hue_sat_color": "色相/彩度 色", - "color_temperature_in_kelvin": "ケルビン単位の色温度。", - "profile_description": "使用するライト プロファイルの名前。", - "white_description": "ライトをホワイトモードに設定します。", - "xy_color": "XYカラー", - "turn_off_description": "1 つ以上の照明を消します。", - "brightness_step_description": "明るさを一定量変更します。", - "brightness_step_value": "輝度ステップ値", - "brightness_step_pct_description": "明るさをパーセンテージで変更します。", - "brightness_step": "輝度ステップ", - "rgbw_color": "RGBWカラー", - "rgbww_color": "RGBWWカラー", - "reloads_the_automation_configuration": "オートメーション設定をリロードする。", - "trigger_description": "オートメーションのアクションをトリガーします。", - "skip_conditions": "スキップ条件", - "disables_an_automation": "オートメーションを無効にする。", - "stops_currently_running_actions": "現在実行中のアクションを停止します。", - "stop_actions": "アクションの停止", - "enables_an_automation": "オートメーションを有効にする。", - "dashboard_path": "ダッシュボードのパス", - "view_path": "パスを見る", - "show_dashboard_view": "ダッシュボードビューを表示", - "toggles_the_siren_on_off": "サイレンのオン/オフを切り替えます。", - "turns_the_siren_off": "サイレンを消します。", - "turns_the_siren_on": "サイレンを鳴らします。", - "tone": "トーン", - "extract_media_url_description": "サービスからメディア URL を抽出します。", - "format_query": "クエリのフォーマット", - "url_description": "メディアが見つかる URL。", - "media_url": "メディアURL", - "get_media_url": "メディア URL を取得", - "play_media_description": "指定された URL からファイルをダウンロードします。", - "removes_a_group": "グループを削除します。", - "object_id": "オブジェクトID", - "creates_updates_a_user_group": "ユーザーグループを作成/更新します。", - "add_entities": "エンティティの追加", - "icon_description": "グループのアイコンの名前。", - "name_of_the_group": "グループの名前。", - "selects_the_first_option": "最初のオプションを選択します。", - "first": "最初", - "selects_the_last_option": "最後のオプションを選択します。", - "select_the_next_option": "次のオプションを選択します。", - "cycle": "サイクル", - "selects_an_option": "オプションを選択します。", - "option_to_be_selected": "選択するオプション。", - "selects_the_previous_option": "前のオプションを選択します。", - "create_description": "**通知** パネルに通知を表示します。", - "notification_id": "通知ID", - "dismiss_description": "**通知** パネルから通知を削除します。", - "notification_id_description": "削除する通知の ID。", - "dismiss_all_description": "**通知** パネルからすべての通知を削除します。", - "cancels_a_timer": "タイマーをキャンセルします。", - "changes_a_timer": "タイマーを変更します。", - "finishes_a_timer": "タイマーを終了します。", - "pauses_a_timer": "タイマーを一時停止します。", - "starts_a_timer": "タイマーを開始します。", - "duration_description": "タイマーが終了するまでに必要な時間。 [オプション]。", - "sets_the_options": "オプションを設定する。", - "list_of_options": "オプションのリスト。", - "set_options": "オプションを設定する", - "clear_skipped_update": "スキップされたアップデートをクリアする", - "install_update": "更新プログラムのインストール", - "skip_description": "現在利用可能なアップデートをスキップ済みとしてマークします。", - "skip_update": "更新をスキップ", - "set_default_level_description": "統合のデフォルトのログレベルを設定します。", - "level_description": "すべての統合のデフォルトの重大度レベル。", - "set_default_level": "デフォルトレベル設定", - "set_level": "レベルを設定", - "create_temporary_strict_connection_url_name": "一時的な厳密な接続URLを作成する", - "remote_connect": "リモート接続", - "remote_disconnect": "リモート切断", - "set_value_description": "数値の値を設定します。", - "value_description": "構成パラメータの値。", - "value": "値", - "closes_a_cover": "カバーを閉じます。", - "close_cover_tilt_description": "カバーを傾けて閉じます。", - "close_tilt": "チルト閉", - "opens_a_cover": "カバーを開けます。", - "tilts_a_cover_open": "カバーを傾けて開きます。", - "open_tilt": "チルト開", - "set_cover_position_description": "カバーを特定の位置に移動します。", - "target_position": "ターゲット位置。", - "set_position": "セットポジション", - "target_tilt_positition": "チルト位置の目標。", - "set_tilt_position": "チルト位置を設定", - "stops_the_cover_movement": "カバーの動きを止めます。", - "stop_cover_tilt_description": "カバーのチルトの動きを止めます。", - "stop_tilt": "チルト停止", - "toggles_a_cover_open_closed": "カバーの開閉を切り替えます。", - "toggle_cover_tilt_description": "カバーのチルトの開閉を切り替える。", - "toggle_tilt": "チルト トグル", - "toggles_the_helper_on_off": "ヘルパーのオン/オフを切り替える。", - "turns_off_the_helper": "ヘルパーをオフにする。", - "turns_on_the_helper": "ヘルパーをオンにする。", - "decrement_description": "現在の値を 1 ステップずつデクリメントします。", - "increment_description": "値を 1 ステップずつインクリメントします。", - "sets_the_value": "値を設定する。", - "the_target_value": "ターゲット値。", - "dump_log_objects": "ログオブジェクトをダンプします", - "log_current_tasks_description": "現在のすべての非同期タスクをログに記録します。", - "log_current_asyncio_tasks": "現在の非同期タスクをログに記録する", - "log_event_loop_scheduled": "スケジュールされたログイベントループ", - "log_thread_frames_description": "すべてのスレッドの現在のフレームをログに記録します。", - "log_thread_frames": "ログスレッドフレーム", - "lru_stats_description": "すべての lru キャッシュの統計をログに記録します。", - "log_lru_stats": "LRU 統計のログ記録", - "starts_the_memory_profiler": "メモリプロファイラを起動します。", - "memory": "メモリー", - "set_asyncio_debug_description": "asyncioデバッグを有効または無効にする。", - "enabled_description": "asyncio デバッグを有効にするか無効にするか。", - "set_asyncio_debug": "asyncioデバッグを設定する", - "starts_the_profiler": "プロファイラを起動します。", - "max_objects_description": "ログに記録するオブジェクトの最大数。", - "maximum_objects": "最大オブジェクト数", - "scan_interval_description": "ログオブジェクト間の秒数。", - "scan_interval": "スキャン間隔", - "start_logging_object_sources": "オブジェクトソースのロギングを開始する", - "start_log_objects_description": "メモリ内のオブジェクトの増加の記録を開始します。", - "start_logging_objects": "オブジェクトのログ記録を開始する", - "stop_logging_object_sources": "オブジェクトソースのログ記録を停止する", - "stop_log_objects_description": "メモリ内のオブジェクトのログ増加を停止する。", - "stop_logging_objects": "オブジェクトのログ記録を停止する", - "process_description": "文字起こしされたテキストから会話を開始します。", - "agent": "エージェント", - "conversation_id": "会話ID", - "transcribed_text_input": "文字起こししたテキスト入力。", - "process": "プロセス", - "reloads_the_intent_configuration": "インテント設定をリロードします。", - "conversation_agent_to_reload": "会話エージェントをリロードします。", - "apply_filter": "フィルタを適用する", - "days_to_keep": "保管日数", - "repack": "リパック", - "purge": "パージ", - "domains_to_remove": "削除するドメイン", - "entity_globs_to_remove": "削除するエンティティ グロブ", - "entities_to_remove": "削除するエンティティ", - "purge_entities": "エンティティのパージ", - "reload_resources_description": "YAML 構成からダッシュボードリソースをリロードします。", + "ptz_move_description": "カメラを特定の速度で動かします。", + "ptz_move_speed": "PTZ の移動速度。", + "ptz_move": "PTZ 移動", + "log_description": "ログブックにカスタム エントリを作成します。", + "entity_id_description": "メッセージを再生するメディア プレーヤー。", + "toggles_a_switch_on_off": "スイッチのオン/オフを切り替えます。", + "turns_a_switch_off": "スイッチをオフにします。", + "turns_a_switch_on": "スイッチをオンにします。", "reload_themes_description": "YAML 構成からテーマを再読み込みします。", "reload_themes": "テーマのリロード", "name_of_a_theme": "テーマの名前。", "set_the_default_theme": "デフォルトのテーマを設定する", + "toggles_the_helper_on_off": "ヘルパーのオン/オフを切り替える。", + "turns_off_the_helper": "ヘルパーをオフにする。", + "turns_on_the_helper": "ヘルパーをオンにする。", "decrements_a_counter": "カウンタをデクリメントします。", "increments_a_counter": "カウンタをインクリメントします。", "resets_a_counter": "カウンタをリセットします。", "sets_the_counter_value": "カウンタ値を設定します。", - "code_description": "ロックを解除するためのコード。", - "arm_with_custom_bypass": "警戒 カスタム バイパス", - "alarm_arm_vacation_description": "アラームを 「警戒、バケーション」に設定します。", - "disarms_the_alarm": "アラームを解除します。", - "alarm_trigger_description": "外部アラームトリガーを有効にします。", + "remote_connect": "リモート接続", + "remote_disconnect": "リモート切断", "get_weather_forecast": "天気予報を取得します。", "type_description": "予報タイプ:毎日、1時間ごと、1日2回。", "forecast_type": "予報タイプ", "get_forecast": "予報を取得", "get_forecasts": "予報を取得する", - "load_url_description": "Kiosk Browser に URL を読み込みます。", - "url_to_load": "ロードする URL。", - "load_url": "URLをロード", - "configuration_parameter_to_set": "設定する構成パラメータ。", - "key": "キー", - "set_configuration": "構成の設定", - "application_description": "起動するアプリケーションのパッケージ名。", - "application": "アプリケーション", - "start_application": "アプリケーションを開始", - "decrease_speed_description": "ファンの速度を下げます。", - "percentage_step_description": "パーセント単位で速度を上げます。", - "decrease_speed": "速度を下げる", - "increase_speed_description": "ファンの速度を上げます。", - "increase_speed": "速度を上げます", - "oscillate_description": "ファンの首振りを制御します。", - "turn_on_off_oscillation": "首振りのオン/オフを切り替えます。", - "set_direction_description": "ファンの回転方向を設定します。", - "direction_to_rotate": "回転する方向。", - "set_direction": "方向設定", - "sets_the_fan_speed": "ファンの速度を設定します。", - "speed_of_the_fan": "ファンの速度。", - "percentage": "パーセント", - "set_speed": "設定速度", - "toggles_the_fan_on_off": "ファンのオン/オフを切り替えます。", - "turns_fan_off": "ファンをオフにします。", - "turns_fan_on": "ファンをオンにします。", - "locks_a_lock": "ロックをロックします。", - "opens_a_lock": "ロックを開きます。", - "unlocks_a_lock": "ロックを解除します。", - "press_the_button_entity": "ボタン エンティティを押します。", + "disables_the_motion_detection": "モーション検知を無効にします。", + "disable_motion_detection": "モーション検知を無効にする", + "enable_motion_detection": "モーション検出を有効にします。", + "format_description": "メディアプレーヤーがサポートするストリーム形式。", + "format": "フォーマット", + "media_player_description": "ストリーミング先のメディア プレーヤー。", + "play_stream": "ストリームを再生する", + "filename": "ファイル名", + "lookback": "ルックバック", + "snapshot_description": "カメラからスナップショットを取得します。", + "take_snapshot": "スナップショットをとる", + "turns_off_the_camera": "カメラをオフにします。", + "turns_on_the_camera": "カメラをオンにします。", + "clear_tts_cache": "TTSキャッシュのクリア", + "cache": "キャッシュ", + "options_description": "統合固有のオプションを含むディクショナリ。", + "say_a_tts_message": "TTSメッセージを言う", + "speak": "話す", + "broadcast_address": "ブロードキャストアドレス", + "broadcast_port_description": "マジックパケットを送信するポート。", + "broadcast_port": "ブロードキャストポート", + "send_magic_packet": "マジックパケットを送信", + "set_datetime_description": "日付や時刻を設定する。", + "the_target_date": "ターゲット時刻。", + "datetime_description": "ターゲットの日付と時刻。", + "date_time": "日付と時刻", "bridge_identifier": "ブリッジ識別子", "configuration_payload": "構成ペイロード", "entity_description": "deCONZ の特定のデバイス エンドポイントを表します。", @@ -3079,20 +3141,24 @@ "device_refresh_description": "deCONZ から利用可能なデバイスを更新します。", "device_refresh": "デバイスのリフレッシュ", "remove_orphaned_entries": "孤立したエントリを削除する", - "closes_a_valve": "バルブを閉じます。", - "opens_a_valve": "バルブを開きます。", - "set_valve_position_description": "バルブを特定の位置に動かします。", - "stops_the_valve_movement": "バルブの動きを止めます。", - "toggles_a_valve_open_closed": "バルブの開閉を切り替えます。", - "calendar_id_description": "希望するカレンダーのID。", - "calendar_id": "カレンダーID", - "description_description": "イベントの説明。オプション。", - "summary_description": "イベントのタイトルとして機能します。", - "ptz_move_description": "カメラを特定の速度で動かします。", - "ptz_move_speed": "PTZ の移動速度。", - "ptz_move": "PTZ 移動", - "set_datetime_description": "日付や時刻を設定する。", - "the_target_date": "ターゲット時刻。", - "datetime_description": "ターゲットの日付と時刻。", - "date_time": "日付と時刻" + "removes_a_group": "グループを削除します。", + "object_id": "オブジェクトID", + "creates_updates_a_user_group": "ユーザーグループを作成/更新します。", + "add_entities": "エンティティの追加", + "icon_description": "グループのアイコンの名前。", + "name_of_the_group": "グループの名前。", + "cancels_a_timer": "タイマーをキャンセルします。", + "changes_a_timer": "タイマーを変更します。", + "finishes_a_timer": "タイマーを終了します。", + "pauses_a_timer": "タイマーを一時停止します。", + "starts_a_timer": "タイマーを開始します。", + "duration_description": "タイマーが終了するまでに必要な時間。 [オプション]。", + "set_default_level_description": "統合のデフォルトのログレベルを設定します。", + "level_description": "すべての統合のデフォルトの重大度レベル。", + "set_default_level": "デフォルトレベル設定", + "set_level": "レベルを設定", + "clear_skipped_update": "スキップされたアップデートをクリアする", + "install_update": "更新プログラムのインストール", + "skip_description": "現在利用可能なアップデートをスキップ済みとしてマークします。", + "skip_update": "更新をスキップ" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ka/ka.json b/packages/core/src/hooks/useLocale/locales/ka/ka.json index 45bc01c..7767f1f 100644 --- a/packages/core/src/hooks/useLocale/locales/ka/ka.json +++ b/packages/core/src/hooks/useLocale/locales/ka/ka.json @@ -107,7 +107,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Browse media", @@ -186,6 +186,7 @@ "loading": "Loading…", "refresh": "Refresh", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplicate", "remove": "Remove", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -241,6 +245,7 @@ "date_and_time": "Date and time", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -279,6 +284,7 @@ "was_opened": "was opened", "was_closed": "was closed", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "was unlocked", "was_locked": "was locked", @@ -328,10 +334,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "ქვეყანა", @@ -341,7 +350,7 @@ "no_theme": "No theme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "No user", "add_user": "Add user", @@ -378,7 +387,6 @@ "failed_to_create_area": "Failed to create area.", "ui_components_area_picker_add_dialog_name": "სახელი", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -456,6 +464,9 @@ "last_month": "Გასული თვე", "this_year": "წელს", "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "არასდროს", "history_integration_disabled": "History integration disabled", "loading_state_history": "მდგომარეობის ისტორია იტვირთება...", @@ -487,6 +498,10 @@ "filtering_by": "Filtering by", "number_hidden": "{number} hidden", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Gender", "male": "Male", @@ -739,7 +754,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -822,7 +837,7 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Interrupts all running automations and scripts.", @@ -996,7 +1011,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "App configuration", "sidebar_toggle": "Sidebar toggle", - "done": "Done", "hide_panel": "Hide panel", "show_panel": "Show panel", "show_more_information": "Show more information", @@ -1090,9 +1104,11 @@ "view_configuration": "View configuration", "name_view_configuration": "{name} View Configuration", "add_view": "Add view", + "background_title": "Add a background to the view", "edit_view": "Edit view", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Background", "badges": "Badges", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1123,6 +1139,8 @@ "increase_card_position": "Increase card position", "more_options": "More options", "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "Dashboard", @@ -1135,8 +1153,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "დაფაზე დამატება", @@ -1157,8 +1174,8 @@ "condition_did_not_pass": "Condition did not pass", "invalid_configuration": "არასწორი კონფიგურაცია", "entity_numeric_state": "Entity numeric state", - "above": "ზემოთ", - "below": "ქვემოთ", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "ეკრანის ზომები", "mobile": "მობილური", @@ -1359,177 +1376,121 @@ "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "Compare data", "reload_ui": "Reload UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1550,14 +1511,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1573,34 +1569,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1610,6 +1658,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1667,23 +1718,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1697,6 +1751,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1705,6 +1760,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1712,79 +1768,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1806,77 +1870,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1888,15 +1886,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1919,62 +1975,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API Key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1990,39 +2065,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", - "unlock_the_device_optional": "Unlock the device (optional)", - "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2046,8 +2122,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2055,10 +2132,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2071,82 +2172,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2229,6 +2298,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2242,106 +2328,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} შედის ზონაში", - "entity_name_leaves_a_zone": "{entity_name} ტოვებს ზონას", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2349,8 +2366,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2370,7 +2389,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2389,12 +2518,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} შედის ზონაში", + "entity_name_leaves_a_zone": "{entity_name} ტოვებს ზონას", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2439,6 +2582,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2477,137 +2621,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "ღილაკი სწრაფად ბრუნავს \" {subtype} \"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "ღილაკი სწრაფად ბრუნავს \" {subtype} \"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2738,16 +2815,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2782,109 +2954,137 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", + "apply_description": "Activates a scene with configuration.", + "entities_description": "List of entities and their target state.", + "entities_state": "Entities state", + "transition": "Transition", + "apply": "Apply", + "creates_a_new_scene": "Creates a new scene.", + "scene_id_description": "The entity ID of the new scene.", + "scene_entity_id": "Scene entity ID", + "snapshot_entities": "Snapshot entities", + "delete_description": "Deletes a dynamically created scene.", + "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", "speed_of_spread": "Speed of spread.", "spread": "Spread", "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", + "press_the_button_entity": "Press the button entity.", "see_description": "Records a seen tracked device.", "battery_description": "Battery level of the device.", "gps_coordinates": "GPS coordinates", @@ -2892,19 +3092,49 @@ "hostname_of_the_device": "Hostname of the device.", "hostname": "Hostname", "mac_description": "MAC address of the device.", + "mac_address": "MAC address", "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", - "apply_description": "Activates a scene with configuration.", - "entities_description": "List of entities and their target state.", - "entities_state": "Entities state", - "apply": "Apply", - "creates_a_new_scene": "Creates a new scene.", - "scene_id_description": "The entity ID of the new scene.", - "scene_entity_id": "Scene entity ID", - "snapshot_entities": "Snapshot entities", - "delete_description": "Deletes a dynamically created scene.", - "activates_a_scene": "Activates a scene.", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2916,10 +3146,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2931,75 +3158,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3007,187 +3184,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3196,23 +3260,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ko/ko.json b/packages/core/src/hooks/useLocale/locales/ko/ko.json index 60e97fc..fdce2ca 100644 --- a/packages/core/src/hooks/useLocale/locales/ko/ko.json +++ b/packages/core/src/hooks/useLocale/locales/ko/ko.json @@ -10,7 +10,7 @@ "to_do_list": "할 일 목록", "developer_tools": "개발자 도구", "media": "미디어", - "profile": "프로필", + "profile": "Profile", "panel_shopping_list": "쇼핑 리스트", "unknown": "알수 없음", "unavailable": "사용 불가", @@ -35,7 +35,7 @@ "upload_backup": "백업 업로드", "turn_on": "켜기", "turn_off": "끄기", - "toggle": "Toggle", + "toggle": "토글", "code": "코드", "clear": "해제", "arm": "경보 설정", @@ -72,7 +72,7 @@ "reset": "초기화", "position": "Position", "tilt_position": "기울기 위치", - "open_cover": "열기", + "open": "열기", "close_cover": "닫기", "stop_cover": "커버 중지", "preset_mode": "프리셋 모드", @@ -90,19 +90,19 @@ "resume_mowing": "잔디 깎기 재개", "start_mowing": "잔디 깎기 시작", "return_home": "충전대로 복귀", - "brightness": "밝기", - "color_temperature": "색 온도", + "brightness": "Brightness", + "color_temperature": "Color temperature", "white_brightness": "백색광 밝기", "color_brightness": "색상 밝기", "cold_white_brightness": "주광색 밝기", "warm_white_brightness": "전구색 밝기", - "effect": "효과", + "effect": "Effect", "lock": "잠금장치", "unlock": "잠금 해제", - "open": "Open", "open_door": "Open door", - "really_open": "Really open?", - "door_open": "Door open", + "really_open": "문을 여시겠습니까?", + "done": "Done", + "ui_card_lock_open_door_success": "문 열림", "source": "소스", "sound_mode": "사운드 모드", "browse_media": "미디어 찾아보기", @@ -179,6 +179,7 @@ "loading": "로드 중…", "reload": "새로고침", "delete": "삭제", + "delete_all": "Delete all", "download": "다운로드", "duplicate": "복제", "purge": "제거", @@ -196,7 +197,7 @@ "submit": "확인", "rename": "이름 변경", "search": "Search", - "ok": "문제없음", + "ok": "OK", "yes": "네", "no": "아니요", "not_now": "나중에", @@ -219,6 +220,9 @@ "media_content_type": "미디어 콘텐츠 유형", "upload_failed": "업로드 실패", "unknown_file": "알 수 없는 파일", + "select_image": "이미지 선택", + "upload_picture": "사진 업로드", + "image_url": "로컬 경로 또는 웹 URL", "latitude": "위도", "longitude": "경도", "radius": "반경", @@ -232,6 +236,7 @@ "date_time": "날짜와 시간", "duration": "지속 기간", "entity": "구성요소", + "floor": "층", "icon": "아이콘", "location": "위치", "number": "숫자", @@ -269,6 +274,7 @@ "was_opened": "열렸습니다.", "was_closed": "닫혔습니다.", "is_opening": "열리는 중입니다.", + "opened": "열림", "is_closing": "닫히는 중입니다.", "was_unlocked": "잠금이 해제되었습니다.", "was_locked": "잠겼습니다.", @@ -295,33 +301,36 @@ "no_entities": "구성요소가 없습니다", "no_matching_entities_found": "일치하는 구성요소를 찾을 수 없습니다", "show_entities": "구성요소 표시하기", - "create_a_new_entity": "Create a new entity", + "create_a_new_entity": "새로운 구성요소 만들기", "show_attributes": "속성 표시하기", "expand": "확장하기", - "target_picker_expand_floor_id": "Split this floor into separate areas.", + "target_picker_expand_floor_id": "본 층고를 다른 영역으로 분리하기", "target_picker_expand_device_id": "이 기기를 별도의 구성요소로 분할합니다.", - "remove_floor": "Remove floor", + "remove_floor": "층고 삭제", "remove_area": "영역 제거하기", "remove_device": "기기 제거하기", "remove_entity": "구성요소 제거하기", - "remove_label": "Remove label", + "remove_label": "레이블 제거", "choose_area": "영역 선택하기", "choose_device": "기기 선택하기", "choose_entity": "구성요소 선택하기", - "choose_label": "Choose label", - "filters": "Filters", - "show_number_results": "show {number} results", - "clear_filter": "Clear filter", - "close_filters": "Close filters", - "exit_selection_mode": "Exit selection mode", - "enter_selection_mode": "Enter selection mode", - "sort_by_sortcolumn": "Sort by {sortColumn}", - "group_by_groupcolumn": "Group by {groupColumn}", - "don_t_group": "Don't group", - "selected_selected": "Selected {selected}", - "close_selection_mode": "Close selection mode", - "select_all": "Select all", - "select_none": "Select none", + "choose_label": "레이블 선택", + "filter": "필터", + "show_number_results": "{number}개 의 결과 보기", + "clear_filter": "필터 지우기", + "close_filters": "필터 닫기", + "exit_selection_mode": "선택 모드 나가기", + "enter_selection_mode": "선택 모드 진입", + "sort_by_sortcolumn": "정렬: {sortColumn}", + "group_by_groupcolumn": "그룹: {groupColumn}", + "don_t_group": "그룹화 해제", + "collapse_all": "모두 접기", + "expand_all": "모두 펼치기", + "selected_selected": "{selected} 선택됨", + "close_selection_mode": "선택 모드 닫기", + "select_all": "모두 선택", + "select_none": "선택 안함", + "customize_table": "Customize table", "conversation_agent": "대화 에이전트", "none": "없음", "country": "국가", @@ -331,7 +340,7 @@ "no_theme": "테마 없음", "language": "Language", "no_languages_available": "사용 가능한 언어가 없습니다.", - "text_to_speech": "텍스트 음성 변환", + "text_to_speech": "Text to speech", "voice": "목소리", "no_user": "사용자 없음", "add_user": "사용자 추가하기", @@ -341,40 +350,39 @@ "device_picker_no_devices": "기기가 존재하지 않습니다", "no_matching_devices_found": "일치하는 기기를 찾을 수 없습니다", "no_area": "영역 없음", - "show_categories": "Show categories", - "categories": "Categories", - "category": "Category", - "add_category": "Add category", - "add_new_category_name": "Add new category ''{name}''", - "add_new_category": "Add new category", - "category_picker_no_categories": "You don't have any categories", - "no_matching_categories_found": "No matching categories found", - "add_dialog_text": "Enter the name of the new category.", - "failed_to_create_category": "Failed to create category.", - "show_labels": "Show labels", - "label": "Label", - "labels": "Labels", - "add_label": "Add label", - "add_new_label_name": "Add new label ''{name}''", - "add_new_label": "Add new label…", - "label_picker_no_labels": "You don't have any labels", - "no_matching_labels_found": "No matching labels found", + "show_categories": "카테고리 표시하기", + "category": "카테고리", + "add_category": "카테고리 추가", + "add_new_category_name": "새로운 카테고리 추가 \"{name}\"", + "add_new_category": "새로운 카테고리 추가", + "category_picker_no_categories": "카테고리가 없습니다", + "no_matching_categories_found": "일치하는 카테고리를 찾을 수 없습니다", + "add_dialog_text": "새로운 카테고리의 이름을 입력해주세요.", + "failed_to_create_category": "카테고리를 만들지 못했습니다", + "show_labels": "레이블 보기", + "label": "레이블", + "add_label": "레이블 추가", + "add_new_label_name": "새 레이블 ''{name}'' 추가", + "add_new_label": "새 레이블 추가", + "label_picker_no_labels": "레이블이 없습니다", + "no_matching_labels_found": "일치하는 레이블을 찾을 수 없습니다", "show_areas": "영역 표시하기", "add_new_area_name": "새 영역 ''{name}'' 추가", "add_new_area": "새로운 영역 추가하기", "area_picker_no_areas": "영역이 존재하지 않습니다", "no_matching_areas_found": "일치하는 영역을 찾을 수 없습니다", - "unassigned_areas": "Unassigned areas", - "failed_to_create_area": "Failed to create area.", - "ui_components_area_picker_add_dialog_failed_create_area": "영역을 만들지 못했습니다.", + "unassigned_areas": "할당되지 않은 영역", + "failed_to_create_area": "영역을 만들지 못했습니다.", "ui_components_area_picker_add_dialog_text": "새로운 영역의 이름을 입력해주세요.", - "show_floors": "Show floors", - "floor": "Floor", - "add_new_floor_name": "Add new floor ''{name}''", - "add_new_floor": "Add new floor…", - "floor_picker_no_floors": "You don't have any floors", - "no_matching_floors_found": "No matching floors found", - "failed_to_create_floor": "Failed to create floor.", + "show_floors": "층고 보기", + "add_new_floor_name": "층고 \"{name}\" 추가", + "add_new_floor": "새로운 층고 추가...", + "floor_picker_no_floors": "층이 존재하지 않습니다", + "no_matching_floors_found": "일치하는 층고를 찾을 수 없습니다", + "failed_to_create_floor": "층고를 생성하지 못 했습니다", + "ui_components_floor_picker_add_dialog_add": "추가", + "ui_components_floor_picker_add_dialog_text": "새로운 층고의 이름을 입력해주세요.", + "ui_components_floor_picker_add_dialog_title": "새로운 층고 추가", "area_filter_area_count": "{count} {count, plural,\n one {area}\n other {areas}\n}", "all_areas": "모든 영역", "show_area": "{area} 표시", @@ -390,7 +398,6 @@ "mount_picker_use_datadisk": "백업에 데이터 디스크 사용", "error_fetch_mounts": "위치를 로드하는 중에 오류가 발생했습니다.", "speech_to_text": "음성을 텍스트로 변환", - "filter": "필터", "filter_by_entity": "구성요소별 필터", "filter_by_device": "기기별 필터", "filter_by_area": "영역별 필터", @@ -406,13 +413,12 @@ "current_picture": "현재 사진", "picture_upload_supported_formats": "JPEG, PNG 또는 GIF 이미지를 지원합니다.", "default_color_state": "기본 색상(상태)", - "primary": "Primary", - "accent": "Accent", - "inactive": "Inactive", + "primary": "주색", + "accent": "강조색", "red": "빨간색", "pink": "핑크", "purple": "보라색", - "deep_purple": "Deep purple", + "deep_purple": "진한 보라색", "indigo": "인디고", "blue": "파란색", "light_blue": "라이트 블루", @@ -422,16 +428,16 @@ "light_green": "라이트 그린", "lime": "라임", "yellow": "노란색", - "amber": "Amber", + "amber": "호박색", "orange": "오렌지", - "deep_orange": "Deep orange", + "deep_orange": "진한 주황색", "brown": "갈색", "light_grey": "라이트 그레이", "grey": "회색", "dark_grey": "다크 그레이", - "blue_grey": "Blue grey", - "black": "Black", - "white": "흰색", + "blue_grey": "블루 그레이", + "black": "검정색", + "white": "White", "start_date": "시작 날짜", "end_date": "종료 날짜", "select_time_period": "기간 선택", @@ -444,6 +450,9 @@ "last_month": "지난달", "this_year": "올해", "last_year": "작년", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "해당없음", "history_integration_disabled": "기록그래프가 비활성화되었습니다", "loading_state_history": "상태 기록 내용 읽는 중…", @@ -473,7 +482,11 @@ "no_data": "데이터가 없습니다", "filtering_by": "필터링", "number_hidden": "{number}개 숨겨짐", - "ungrouped": "Ungrouped", + "ungrouped": "그룹 해제됨", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "메시지", "gender": "성별", "male": "남성", @@ -590,7 +603,7 @@ "script": "스크립트", "scenes": "장면", "people": "구성원", - "zone": "지역", + "zones": "지역", "input_booleans": "논리 입력", "input_texts": "문자 입력", "input_number": "숫자 입력", @@ -658,7 +671,6 @@ "edit_entity": "구성요소 편집하기", "details": "세부 정보", "back_to_info": "정보로 돌아가기", - "information": "Information", "related": "관련 내용", "device_info": "기기 정보", "last_changed": "최근 변경 됨", @@ -686,7 +698,7 @@ "switch_to_position_mode": "포지션 모드로 전환", "people_in_zone": "지역 내 사람", "edit_favorite_color": "즐겨찾기 색상 편집", - "color": "색상", + "color": "Color", "set_white": "백색광으로 설정", "select_effect": "효과 선택", "change_color": "색상 변경", @@ -788,7 +800,7 @@ "restart_home_assistant": "Home Assistant를 다시 시작하시겠습니까?", "advanced_options": "Advanced options", "quick_reload": "빠르게 다시 로드하기", - "reload_description": "YAML 구성에서 도우미를 다시 로드합니다.", + "reload_description": "YAML 구성에서 지역을 다시 로드합니다.", "reloading_configuration": "구성 다시 로드 중", "failed_to_reload_configuration": "구성을 다시 로드하지 못했습니다.", "restart_description": "실행 중인 모든 자동화 및 스크립트를 중단합니다.", @@ -905,30 +917,30 @@ "create_backup": "백업 만들기", "update_backup_text": "설치하기 전에 백업이 생성됩니다.", "create": "생성하기", - "add_device": "Add device", - "matter_add_device_add_device_failed": "Failed to add the device", - "add_matter_device": "Add Matter device", - "no_it_s_new": "No. It’s new.", - "main_answer_existing": "Yes. It’s already in use.", - "main_answer_existing_description": "My device is connected to another controller.", + "add_device": "기기 추가", + "matter_add_device_add_device_failed": "기기를 추가하지 못했습니다", + "add_matter_device": "Matter 기기 추가", + "no_it_s_new": "아니오, 새 제품 입니다", + "main_answer_existing": "이미 사용 중 입니다", + "main_answer_existing_description": "기기가 다른 컨트롤러에 페어링 되어있습니다", "new_playstore": "Get it on Google Play", "new_appstore": "Download on the App Store", - "existing_question": "Which controller is it connected to?", + "existing_question": "어떤 컨트롤러에 연결되어 있나요?", "google_home": "Google Home", "apple_home": "Apple Home", - "other_controllers": "Other controllers", - "link_matter_app": "Link Matter app", - "tap_linked_matter_apps_services": "Tap {linked_matter_apps_services}.", - "google_home_linked_matter_apps_services": "Linked Matter apps and services", - "link_apps_services": "Link apps & services", - "copy_pairing_code": "Copy pairing code", - "use_pairing_code": "Use Pairing Code", - "pairing_code": "Pairing code", - "copy_setup_code": "Copy setup code", - "apple_home_step": "You now see the setup code.", - "accessory_settings": "Accessory Settings", - "turn_on_pairing_mode": "Turn On Pairing Mode", - "setup_code": "Setup code", + "other_controllers": "기타 컨트롤러", + "link_matter_app": "Matter 앱 연결하기", + "tap_linked_matter_apps_services": "{linked_matter_apps_services} 선택", + "google_home_linked_matter_apps_services": "연결된 Matter 앱 & 서비스", + "link_apps_services": "앱 & 서비스 연결하기", + "copy_pairing_code": "페어링 코드 복사", + "use_pairing_code": "페어링 코드 사용", + "pairing_code": "페어링 코드", + "copy_setup_code": "설정 코드 복사", + "apple_home_step": "이제 설정 코드가 표시됩니다.", + "accessory_settings": "악세서리 설정", + "turn_on_pairing_mode": "페어링 모드 켜기", + "setup_code": "설정 코드", "monday": "월요일", "tuesday": "화요일", "wednesday": "수요일", @@ -959,7 +971,6 @@ "notification_toast_no_matching_link_found": "{path} 에 대해 일치하는 내 링크가 없습니다.", "app_configuration": "앱 구성", "sidebar_toggle": "사이드바 토글", - "done": "Done", "hide_panel": "패널 숨기기", "show_panel": "패널 보이기", "show_more_information": "자세한 정보 표시하기", @@ -1054,9 +1065,11 @@ "view_configuration": "구성 보기", "name_view_configuration": "{name} 뷰 구성", "add_view": "뷰 추가하기", + "background_title": "뷰에 배경화면 추가", "edit_view": "뷰 편집하기", "move_view_left": "뷰를 왼쪽으로 이동", "move_view_right": "뷰를 오른쪽으로 이동", + "background": "배경화면", "badges": "배지", "view_type": "보기 유형", "masonry_default": "Masonry(기본값)", @@ -1064,9 +1077,9 @@ "panel_card": "패널(카드 1개)", "sections_experimental": "섹션 (실험적)", "subview": "서브뷰", - "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "비주얼 편집기로 편집하기", - "edit_in_yaml": "YAML로 편집하기", + "max_number_of_columns": "최대 단 수", + "edit_in_visual_editor": "Visual Editor에서 편집", + "edit_in_yaml": "YAML에서 편집", "saving_failed": "저장 실패", "ui_panel_lovelace_editor_edit_view_type_helper_others": "아직 마이그레이션이 지원되지 않으므로 보기를 다른 유형으로 변경할 수 없습니다. 다른 보기 유형을 사용하려면 새 보기로 처음부터 시작하세요.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "마이그레이션이 아직 지원되지 않으므로 '섹션' 보기 유형을 사용하도록 보기를 변경할 수 없습니다. '섹션' 보기를 시험해 보려면 새 보기로 처음부터 시작하세요.", @@ -1089,7 +1102,10 @@ "increase_card_position": "카드 위치 증가", "more_options": "옵션 더보기", "search_cards": "카드 찾기", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "{name} 뷰에 어떤 카드를 추가하시겠습니까?", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "보기여부", "move_card_error_title": "카드 이동 불가", "choose_a_view": "뷰 선택하기", "dashboard": "대시보드", @@ -1106,8 +1122,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} 및 해당 카드가 모두 삭제됩니다.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} 삭제됩니다.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "이 섹션", - "edit_name": "이름 편집", - "add_name": "이름 추가", + "edit_section": "섹션 편집", "suggest_card_header": "제안 드리는 카드", "pick_different_card": "다른 카드 선택", "add_to_dashboard": "대시보드에 추가", @@ -1128,8 +1143,8 @@ "condition_did_not_pass": "조건 만족하지 못함", "invalid_configuration": "잘못된 구성", "entity_numeric_state": "구성요소 숫자 상태", - "above": "초과", - "below": "미만", + "above": "Above", + "below": "Below", "screen": "화면", "screen_sizes": "화면 크기", "mobile": "모바일", @@ -1255,35 +1270,35 @@ "cover_tilt": "커버 각도", "cover_tilt_position": "커버 기울기 위치", "alarm_modes": "알람 모드", - "customize_alarm_modes": "Customize alarm modes", + "customize_alarm_modes": "알람 모드 사용자정의", "light_brightness": "조명 밝기", "light_color_temperature": "조명 색온도", - "lock_commands": "Lock commands", - "lock_open_door": "Lock open door", + "lock_commands": "잠금 명령", + "lock_open_door": "문 잠그기", "vacuum_commands": "청소기 명령", "command": "명령", "climate_fan_modes": "공조 팬 모드", "style": "스타일", "dropdown": "드롭다운", - "customize_fan_modes": "Customize fan modes", + "customize_fan_modes": "팬 모드 사용자 정의", "fan_modes": "송풍 모드", "climate_swing_modes": "공조 회전 모드", "swing_mode": "회전 모드", - "customize_swing_modes": "Customize swing modes", + "customize_swing_modes": "스윙 모드 사용자 정의", "climate_hvac_modes": "공조 HVAC 모드", "hvac_mode": "HVAC 모드", - "customize_hvac_modes": "Customize HVAC modes", + "customize_hvac_modes": "HVAC 모드 사용자 정의", "climate_preset_modes": "공조 프리셋 모드", - "customize_preset_modes": "Customize preset modes", + "customize_preset_modes": "사전 설정 모드 사용자 정의", "fan_preset_modes": "팬 프리셋 모드", "humidifier_toggle": "가습기 토글", "humidifier_modes": "가습기 모드", - "customize_modes": "Customize modes", + "customize_modes": "모드 사용자 정의", "select_options": "옵션 선택", - "customize_options": "Customize options", + "customize_options": "사용자정의 옵션", "water_heater_operation_modes": "온수기 작동 모드", - "operation_modes": "작동 모드", - "customize_operation_modes": "Customize operation modes", + "run_mode": "작동 모드", + "customize_operation_modes": "작동 모드 사용자 정의", "update_actions": "업데이트 동작", "ask": "질문", "backup_is_not_supported": "백업은 지원되지 않습니다.", @@ -1300,187 +1315,132 @@ "header_editor": "머릿말 편집기", "footer_editor": "꼬릿말 편집기", "feature_editor": "기능 편집기", - "ui_panel_lovelace_editor_color_picker_colors_accent": "강조색", "ui_panel_lovelace_editor_color_picker_colors_amber": "앰버", - "ui_panel_lovelace_editor_color_picker_colors_black": "검정색", - "ui_panel_lovelace_editor_color_picker_colors_blue_grey": "블루 그레이", "ui_panel_lovelace_editor_color_picker_colors_cyan": "Cyan", "ui_panel_lovelace_editor_color_picker_colors_deep_orange": "딥 오렌지", "ui_panel_lovelace_editor_color_picker_colors_deep_purple": "딥 퍼플", "ui_panel_lovelace_editor_color_picker_colors_inactive": "비활성", "ui_panel_lovelace_editor_color_picker_colors_pink": "분홍색", - "ui_panel_lovelace_editor_color_picker_colors_primary": "주색", "ui_panel_lovelace_editor_color_picker_colors_teal": "Teal", + "ui_panel_lovelace_editor_color_picker_colors_white": "흰색", + "ui_panel_lovelace_editor_edit_section_title_title": "이름 편집", + "ui_panel_lovelace_editor_edit_section_title_title_new": "이름 추가", "warning_attribute_not_found": "{attribute} 속성을 사용할 수 없습니다: {entity}", "entity_not_available_entity": "구성요소를 사용할 수 없습니다: {entity}", "entity_is_non_numeric_entity": "구성요소가 숫자형식이 아닙니다: {entity}", "warning_entity_unavailable": "{entity}은(는) 현재 사용할 수 없습니다", "invalid_timestamp": "시간 표기가 잘못되었습니다", "invalid_display_format": "표시 형식이 잘못되었습니다", + "now": "지금", "compare_data": "데이터 비교", "reload_ui": "UI 다시 읽어오기", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "스위치", - "camera": "카메라", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "그룹", - "timer": "타이머", - "schedule": "스케줄", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "커버", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "참/거짓 입력", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "대화", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "커버", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "블루투스", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "경보 제어판", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "팬", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "디바이스 추적기", + "trace": "Trace", + "stream": "Stream", + "person": "사람", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "참/거짓 입력", + "camera": "카메라", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "날짜시간 입력", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "진단", + "siren": "사이렌", + "fitbit": "Fitbit", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist Pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "공조기기", + "conversation": "대화", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "파일 크기", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "애플리케이션 자격 증명", - "local_calendar": "로컬 캘린더", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "텍스트 입력", - "rpi_power_title": "Raspberry Pi 전원 공급 검사", - "weather": "날씨", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "그룹", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "스케줄", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "리모컨", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi 전원 공급 검사", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "스위치", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "디바이스 추적기", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "날씨", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "리모컨", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "이진 센서", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "송풍", + "scene": "Scene", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "이벤트", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "블루투스", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "이벤트", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "공조기기", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "계수기", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "진단", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "사람", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "사이렌", + "deconz": "deCONZ", + "timer": "타이머", + "application_credentials": "애플리케이션 자격 증명", "logger": "로거", - "assist_pipeline": "Assist Pipeline", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "계수기", - "binary_sensor": "이진 센서", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS 에이전트 버전", - "apparmor_version": "Apparmor 버전", - "cpu_percent": "CPU 퍼센트", - "disk_free": "여유 공간", - "disk_total": "디스크 총 용량", - "disk_used": "디스크 사용량", - "memory_percent": "메모리 퍼센트", - "version": "버전", - "newest_version": "최신 버전", + "local_calendar": "로컬 캘린더", "synchronize_devices": "기기 동기화", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "오늘 소비량", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "총 소비량", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "수신된 바이트", - "server_country": "서버 국가", - "server_id": "서버 ID", - "server_name": "서버 이름", - "ping": "핑", - "upload": "업로드", - "bytes_sent": "전송된 바이트", - "air_quality_index": "공기질 지수", - "illuminance": "조도", - "noise": "소음", - "overload": "과부하", - "voltage": "전압", - "estimated_distance": "예상 거리", - "vendor": "공급업체", - "assist_in_progress": "Assist 진행 중", - "auto_gain": "자동 게인", - "mic_volume": "Mic volume", - "noise_suppression": "노이즈 억제", - "noise_suppression_level": "노이즈 억제 수준", - "off": "꺼짐", - "preferred": "선호된", - "satellite_enabled": "위성 사용", - "ding": "차임", - "doorbell_volume": "Doorbell volume", - "last_activity": "마지막 활동", - "last_ding": "마지막 차임", - "last_motion": "마지막 움직임", - "voice_volume": "Voice volume", - "volume": "음량", - "wi_fi_signal_category": "Wi-Fi 신호 범주", - "wi_fi_signal_strength": "Wi-Fi 신호 강도", - "battery_level": "배터리 잔량", - "size": "크기", - "size_in_bytes": "크기 (바이트)", - "finished_speaking_detection": "말하기 감지 완료", - "aggressive": "적극적인", - "default": "기본값", - "relaxed": "느긋한", - "call_active": "호출 활성화", - "quiet": "저소음", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "태그 ID", "heavy": "무겁게", "mild": "약하게", "button_down": "버튼 다운", @@ -1496,41 +1456,19 @@ "not_completed": "완료되지 않음", "pending": "보류 중", "checking": "확인 중", - "closed": "Closed", + "closed": "닫힘", "closing": "Closing", "failure": "실패", - "opened": "열림", - "device_admin": "기기 관리자", - "kiosk_mode": "키오스크 모드", - "plugged_in": "플러그가 꼽힘", - "load_start_url": "로드 시작 URL", - "restart_browser": "브라우저 다시 시작", - "restart_device": "기기 다시 시작", - "send_to_background": "백그라운드로 보내기", - "bring_to_foreground": "포그라운드로 가져오기", - "screen_brightness": "화면 밝기", - "screen_off_timer": "화면 끄기 타이머", - "screensaver_brightness": "화면 보호기 밝기", - "screensaver_timer": "화면 보호기 타이머", - "current_page": "현재 페이지", - "foreground_app": "포그라운드 앱", - "internal_storage_free_space": "내부 저장소 여유 공간", - "internal_storage_total_space": "내부 저장소 총 공간", - "free_memory": "사용 가능한 메모리", - "total_memory": "총 메모리", - "screen_orientation": "화면 방향", - "kiosk_lock": "키오스크 잠금", - "maintenance_mode": "유지 관리 모드", - "motion_detection": "움직임 감지", - "screensaver": "화면 보호기", - "compressor_energy_consumption": "컴프레서 에너지 소비", - "compressor_estimated_power_consumption": "컴프레서 예상 전력 소비량", - "compressor_frequency": "컴프레서 주파수", - "cool_energy_consumption": "냉방 에너지 소비량", - "energy_consumption": "에너지 소비량", - "heat_energy_consumption": "난방 에너지 소비량", - "inside_temperature": "내부 온도", - "outside_temperature": "바깥 온도", + "battery_level": "배터리 잔량", + "os_agent_version": "OS 에이전트 버전", + "apparmor_version": "Apparmor 버전", + "cpu_percent": "CPU 퍼센트", + "disk_free": "여유 공간", + "disk_total": "디스크 총 용량", + "disk_used": "디스크 사용량", + "memory_percent": "메모리 퍼센트", + "version": "버전", + "newest_version": "최신 버전", "next_dawn": "다음 새벽", "next_dusk": "다음 황혼", "next_midnight": "다음 자정", @@ -1540,17 +1478,125 @@ "solar_azimuth": "태양 방위각", "solar_elevation": "태양 고도", "solar_rising": "태양 상승", - "calibration": "교정", - "auto_lock_paused": "자동 잠금 일시중지됨", - "timeout": "타임아웃", - "unclosed_alarm": "닫히지 않은 경보", - "unlocked_alarm": "잠금 해제된 알람", - "bluetooth_signal": "블루투스 신호", - "light_level": "조명 레벨", - "wi_fi_signal": "Wi-Fi 신호", - "momentary": "모멘터리", - "pull_retract": "당기기/접기", + "compressor_energy_consumption": "컴프레서 에너지 소비", + "compressor_estimated_power_consumption": "컴프레서 예상 전력 소비량", + "compressor_frequency": "컴프레서 주파수", + "cool_energy_consumption": "냉방 에너지 소비량", + "energy_consumption": "에너지 소비량", + "heat_energy_consumption": "난방 에너지 소비량", + "inside_temperature": "내부 온도", + "outside_temperature": "바깥 온도", + "assist_in_progress": "Assist 진행 중", + "preferred": "선호됨", + "finished_speaking_detection": "말하기 감지 완료", + "aggressive": "적극적인", + "default": "기본값", + "relaxed": "느긋한", + "device_admin": "기기 관리자", + "kiosk_mode": "키오스크 모드", + "plugged_in": "플러그가 꼽힘", + "load_start_url": "로드 시작 URL", + "restart_browser": "브라우저 다시 시작", + "restart_device": "기기 다시 시작", + "send_to_background": "백그라운드로 보내기", + "bring_to_foreground": "포그라운드로 가져오기", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "화면 밝기", + "screen_off_timer": "화면 끄기 타이머", + "screensaver_brightness": "화면 보호기 밝기", + "screensaver_timer": "화면 보호기 타이머", + "current_page": "현재 페이지", + "foreground_app": "포그라운드 앱", + "internal_storage_free_space": "내부 저장소 여유 공간", + "internal_storage_total_space": "내부 저장소 총 공간", + "free_memory": "사용 가능한 메모리", + "total_memory": "총 메모리", + "screen_orientation": "화면 방향", + "kiosk_lock": "키오스크 잠금", + "maintenance_mode": "유지 관리 모드", + "motion_detection": "움직임 감지", + "screensaver": "화면 보호기", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "업데이트 가능", + "dry": "제습", + "wet": "습함", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "오늘 소비량", + "total_consumption": "총 소비량", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "신호 강도", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "전압", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "예상 거리", + "vendor": "공급업체", + "air_quality_index": "공기질 지수", + "illuminance": "조도", + "noise": "소음", + "overload": "과부하", + "size": "크기", + "size_in_bytes": "크기 (바이트)", + "bytes_received": "수신된 바이트", + "server_country": "서버 국가", + "server_id": "서버 ID", + "server_name": "서버 이름", + "ping": "핑", + "upload": "업로드", + "bytes_sent": "전송된 바이트", "animal": "동물", + "detected": "감지됨", "animal_lens": "동물 렌즈 1", "face": "얼굴", "face_lens": "얼굴 렌즈 1", @@ -1560,6 +1606,9 @@ "person_lens": "사람 렌즈 1", "pet": "애완동물", "pet_lens": "애완동물 렌즈 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "차량", "vehicle_lens": "차량 렌즈 1", "visitor": "방문자", @@ -1617,28 +1666,30 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "모션 감도", "pir_sensitivity": "PIR sensitivity", + "volume": "음량", "zoom": "줌", "auto_quick_reply_message": "자동 빠른 답장 메시지", + "off": "꺼짐", "auto_track_method": "자동 추적 방법", "digital": "디지털", "digital_first": "디지털 우선", "pan_tilt_first": "팬/틸트 먼저", "day_night_mode": "주간 야간 모드", "black_white": "블랙 & 화이트", + "doorbell_led": "초인종 LED", + "always_on": "Always on", + "state_alwaysonatnight": "자동 & 밤에 항상 켜짐", "floodlight_mode": "투광 조명 모드", "adaptive": "적응형", "auto_adaptive": "자동 적응형", "on_at_night": "밤에 켜짐", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ 프리셋", - "always_on": "Always on", - "state_alwaysonatnight": "자동 & 밤에 항상 켜짐", - "battery_percentage": "Battery percentage", - "battery_state": "Battery state", - "charge_complete": "Charge complete", + "battery_state": "배터리 상태", + "charge_complete": "충전 완료", "charging": "충전 중", - "discharging": "Discharging", - "battery_temperature": "Battery temperature", + "discharging": "방전", + "battery_temperature": "배터리 온도", "event_connection": "이벤트 연결", "fast_poll": "빠른 폴링", "onvif_long_poll": "ONVIF 긴 폴링", @@ -1646,6 +1697,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ 팬 위치", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "와이파이 신호", "auto_focus": "자동 초점", "auto_tracking": "자동 추적", "buzzer_on_event": "이벤트 부저", @@ -1654,6 +1706,7 @@ "ftp_upload": "FTP 업로드", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "수동 기록", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1661,74 +1714,80 @@ "record": "기록", "record_audio": "오디오 녹음", "siren_on_event": "이벤트 중 사이렌", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "gps_accuracy": "GPS 정확도", + "call_active": "호출 활성화", + "quiet": "저소음", + "auto_gain": "자동 게인", + "mic_volume": "Mic volume", + "noise_suppression": "노이즈 억제", + "noise_suppression_level": "노이즈 억제 수준", + "satellite_enabled": "위성 사용", + "calibration": "교정", + "auto_lock_paused": "자동 잠금 일시중지됨", + "timeout": "타임아웃", + "unclosed_alarm": "닫히지 않은 경보", + "unlocked_alarm": "잠금 해제된 알람", + "bluetooth_signal": "블루투스 신호", + "light_level": "조명 레벨", + "momentary": "모멘터리", + "pull_retract": "당기기/접기", + "ding": "차임", + "doorbell_volume": "Doorbell volume", + "last_activity": "마지막 활동", + "last_ding": "마지막 차임", + "last_motion": "마지막 움직임", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi 신호 범주", + "wi_fi_signal_strength": "Wi-Fi 신호 강도", + "box": "상자", + "step": "단계", + "apparent_power": "피상 전력", + "carbon_dioxide": "이산화탄소", + "data_rate": "데이터 속도", + "distance": "거리", + "stored_energy": "저장된 에너지", + "frequency": "빈도", + "irradiance": "방사 조도", + "nitrogen_dioxide": "이산화질소", + "nitrogen_monoxide": "일산화질소", + "nitrous_oxide": "아산화질소", + "ozone": "오존", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "역률", + "precipitation_intensity": "강수 강도", + "pressure": "압력", + "reactive_power": "무효 전력", + "sound_pressure": "음압", + "speed": "속도", + "sulphur_dioxide": "이산화황", + "vocs": "휘발성 유기 화합물", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "저장된 볼륨", + "weight": "무게", + "available_tones": "사용 가능한 톤", + "end_time": "종료 시간", + "start_time": "시작 시간", + "managed_via_ui": "UI에 의해 관리됨", + "next_event": "다음 이벤트", + "stopped": "Stopped", + "garage": "차고", "running_automations": "실행 중인 자동화", - "max_running_scripts": "최대 실행 스크립트", - "run_mode": "실행 모드", + "id": "ID", + "max_running_automations": "최대 실행 자동화", "parallel": "병렬", "queued": "대기열", "single": "단일", - "end_time": "종료 시간", - "start_time": "시작 시간", - "recording": "녹화 중", - "streaming": "스트리밍 중", - "access_token": "액세스 토큰", - "brand": "상표명", - "stream_type": "스트림 유형", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "모델명", - "bluetooth_le": "블루투스 LE", - "gps": "GPS", - "router": "라우터", - "cool": "냉방", - "dry": "제습", - "fan_only": "송풍", - "heat_cool": "냉난방", - "aux_heat": "보조 열", - "current_humidity": "현재 습도", - "current_temperature": "Current Temperature", - "fan_mode": "팬 모드", - "diffuse": "발산", - "middle": "중간", - "top": "위", - "current_action": "현재 동작", - "cooling": "냉방 중", - "drying": "제습 중", - "heating": "난방 중", - "preheating": "예열", - "max_target_humidity": "상한 희망 습도", - "max_target_temperature": "상한 희망 온도", - "min_target_humidity": "하한 희망 습도", - "min_target_temperature": "하한 희망 온도", - "boost": "쾌속", - "comfort": "쾌적", - "eco": "절약", - "sleep": "취침", - "both": "둘 다", - "horizontal": "수평", - "target_temperature_step": "희망 온도 단계", + "not_charging": "충전 중 아님", + "disconnected": "연결 해제됨", + "connected": "연결됨", + "hot": "고온", + "light_detected": "빛이 감지됨", + "locked": "잠금", + "not_moving": "움직이지 않음", + "unplugged": "플러그가 뽑힘", + "not_running": "작동 중 아님", + "unsafe": "위험", + "tampering_detected": "변조 감지됨", "buffering": "버퍼링 중", "paused": "일시 정지", "playing": "재생 중", @@ -1749,69 +1808,10 @@ "receiver": "리시버", "speaker": "스피커", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "밝기 전용", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "색 온도 (미레드)", - "color_temperature_kelvin": "색 온도 (켈빈)", - "available_effects": "사용 가능한 효과", - "maximum_color_temperature_kelvin": "최대 색 온도 (켈빈)", - "maximum_color_temperature_mireds": "최대 색 온도 (미레드)", - "minimum_color_temperature_kelvin": "최소 색온도 (켈빈)", - "minimum_color_temperature_mireds": "최소 색 온도 (미레드)", - "available_color_modes": "사용 가능한 색상 모드", - "event_type": "이벤트 유형", - "doorbell": "초인종", - "available_tones": "사용 가능한 톤", - "locked": "잠금", - "managed_via_ui": "UI에 의해 관리됨", - "id": "ID", - "max_running_automations": "최대 실행 자동화", - "finishes_at": "~에 종료", - "remaining": "남은 시간", - "next_event": "다음 이벤트", - "update_available": "업데이트 가능", - "auto_update": "자동 업데이트", - "in_progress": "진행 중", - "installed_version": "설치된 버전", - "release_summary": "릴리스 요약", - "release_url": "릴리스 URL", - "skipped_version": "건너뛴 버전", - "firmware": "펌웨어", - "box": "상자", - "step": "단계", - "apparent_power": "피상 전력", - "carbon_dioxide": "이산화탄소", - "data_rate": "데이터 속도", - "distance": "거리", - "stored_energy": "저장된 에너지", - "frequency": "빈도", - "irradiance": "방사 조도", - "nitrogen_dioxide": "이산화질소", - "nitrogen_monoxide": "일산화질소", - "nitrous_oxide": "아산화질소", - "ozone": "오존", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "역률", - "precipitation_intensity": "강수 강도", - "pressure": "압력", - "reactive_power": "무효 전력", - "signal_strength": "신호 강도", - "sound_pressure": "음압", - "speed": "속도", - "sulphur_dioxide": "이산화황", - "vocs": "휘발성 유기 화합물", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "저장된 볼륨", - "weight": "무게", - "stopped": "Stopped", - "garage": "차고", - "pattern": "패턴", + "above_horizon": "수평선 위", + "below_horizon": "수평선 아래", + "speed_step": "속도 단계", + "available_preset_modes": "사용 가능한 프리셋 모드", "armed_away": "외출 경보 설정됨", "armed_custom_bypass": "사용자 우회 경보 설정됨", "armed_home": "재실 경보 설정됨", @@ -1823,14 +1823,63 @@ "code_for_arming": "경보 설정을 위한 코드", "not_required": "필수 요소 아님", "code_format": "코드 포맷", + "gps_accuracy": "GPS 정확도", + "bluetooth_le": "블루투스 LE", + "gps": "GPS", + "router": "라우터", + "event_type": "이벤트 유형", + "doorbell": "초인종", + "max_running_scripts": "최대 실행 스크립트", + "jammed": "걸림", + "cool": "냉방", + "heat_cool": "냉난방", + "aux_heat": "보조 열", + "current_humidity": "현재 습도", + "current_temperature": "Current Temperature", + "fan_mode": "팬 모드", + "diffuse": "발산", + "middle": "중간", + "top": "위", + "current_action": "현재 동작", + "cooling": "냉방 중", + "drying": "제습 중", + "heating": "난방 중", + "preheating": "예열", + "max_target_humidity": "상한 희망 습도", + "max_target_temperature": "상한 희망 온도", + "min_target_humidity": "하한 희망 습도", + "min_target_temperature": "하한 희망 온도", + "boost": "쾌속", + "comfort": "쾌적", + "eco": "절약", + "sleep": "취침", + "both": "둘 다", + "horizontal": "수평", + "target_temperature_step": "희망 온도 단계", "last_reset": "마지막 재설정", "possible_states": "가능한 상태", "state_class": "상태 클래스", "measurement": "측정", "total_increasing": "총 증가", + "conductivity": "Conductivity", "data_size": "데이터 크기", "balance": "균형", "timestamp": "타임스탬프", + "color_mode": "Color Mode", + "brightness_only": "밝기 전용", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "색 온도 (미레드)", + "color_temperature_kelvin": "색 온도 (켈빈)", + "available_effects": "사용 가능한 효과", + "maximum_color_temperature_kelvin": "최대 색 온도 (켈빈)", + "maximum_color_temperature_mireds": "최대 색 온도 (미레드)", + "minimum_color_temperature_kelvin": "최소 색온도 (켈빈)", + "minimum_color_temperature_mireds": "최소 색 온도 (미레드)", + "available_color_modes": "사용 가능한 색상 모드", "clear_night": "맑은 밤", "cloudy": "흐림", "exceptional": "이상기후", @@ -1852,57 +1901,77 @@ "uv_index": "자외선 지수", "wind_bearing": "풍향", "wind_gust_speed": "돌풍 속도", - "above_horizon": "수평선 위", - "below_horizon": "수평선 아래", - "speed_step": "속도 단계", - "available_preset_modes": "사용 가능한 프리셋 모드", - "jammed": "걸림", - "identify": "식별", - "not_charging": "충전 중 아님", - "detected": "감지됨", - "disconnected": "연결 해제됨", - "connected": "연결됨", - "hot": "고온", - "light_detected": "빛이 감지됨", - "wet": "습함", - "not_moving": "움직이지 않음", - "unplugged": "플러그가 뽑힘", - "not_running": "작동 중 아님", - "unsafe": "위험", - "tampering_detected": "변조 감지됨", + "recording": "녹화 중", + "streaming": "스트리밍 중", + "access_token": "액세스 토큰", + "brand": "상표명", + "stream_type": "스트림 유형", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "모델명", "minute": "분", "second": "초", - "location_is_already_configured": "위치가 이미 구성되었습니다", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "API 키가 잘못되었습니다", - "api_key": "API 키", + "pattern": "패턴", + "finishes_at": "~에 종료", + "remaining": "남은 시간", + "identify": "식별", + "auto_update": "자동 업데이트", + "in_progress": "진행 중", + "installed_version": "설치된 버전", + "release_summary": "릴리스 요약", + "release_url": "릴리스 URL", + "skipped_version": "건너뛴 버전", + "firmware": "펌웨어", + "abort_single_instance_allowed": "이미 구성되었습니다. 하나의 인스턴스만 구성할 수 있습니다.", "user_description": "설정을 시작하시겠습니까?", + "device_is_already_configured": "기기가 이미 구성되었습니다", + "re_authentication_was_successful": "재인증에 성공했습니다", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "연결하지 못했습니다", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "인증이 잘못되었습니다", + "unexpected_error": "예상치 못한 오류가 발생했습니다", + "username": "사용자 이름", + "host": "Host", + "port": "포트", "account_is_already_configured": "계정이 이미 구성되었습니다", "abort_already_in_progress": "기기 구성이 이미 진행 중입니다", - "failed_to_connect": "연결하지 못했습니다", "invalid_access_token": "액세스 토큰이 잘못되었습니다", "received_invalid_token_data": "잘못된 토큰 데이터를 받았습니다.", "abort_oauth_failed": "액세스 토큰을 가져오는 중 오류가 발생했습니다.", "timeout_resolving_oauth_token": "OAuth 토큰을 확인하는 시간이 초과되었습니다.", "abort_oauth_unauthorized": "액세스 토큰을 얻는 동안 OAuth 인증 오류가 발생했습니다.", - "re_authentication_was_successful": "재인증 성공", - "timeout_establishing_connection": "연결 설정 시간 초과", - "unexpected_error": "예기치 않은 오류", "successfully_authenticated": "성공적으로 인증되었습니다", - "link_google_account": "Google 계정 연결", + "link_fitbit": "Fitbit 연결", "pick_authentication_method": "인증 방법 선택하기", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "서비스가 이미 구성되었습니다", - "confirm_description": "{name}을(를) 설정하시겠습니까?", - "device_is_already_configured": "장치가 이미 구성됨", - "abort_no_devices_found": "네트워크에서 기기를 찾을 수 없습니다", - "connection_error_error": "연결 오류입니다: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "사용자 이름", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "이미 구성되었습니다. 하나의 인스턴스만 구성할 수 있습니다.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "{name}을(를) 설정하시겠습니까?", + "adapter": "어댑터", + "multiple_adapters_description": "설정할 Bluetooth 어댑터를 선택하십시오.", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API 키", + "configure_daikin_ac": "다이킨 에어컨 구성하기", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1918,6 +1987,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "연결할 수 없습니다. 세부 정보: {error_detail}", + "unknown_details_error_detail": "알 수 없음. 세부정보: {error_detail}", + "uses_an_ssl_certificate": "SSL 인증서 사용", + "verify_ssl_certificate": "SSL 인증서 확인", + "timeout_establishing_connection": "연결 설정 시간 초과", + "link_google_account": "Google 계정 연결", + "abort_no_devices_found": "네트워크에서 기기를 찾을 수 없습니다", + "connection_error_error": "연결 오류입니다: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "기기 클래스", + "state_template": "상태 템플릿", + "template_binary_sensor": "템플릿 바이너리 센서", + "template_sensor": "템플릿 센서", + "template_a_binary_sensor": "바이너리 센서 템플릿", + "template_a_sensor": "센서 템플릿", + "template_helper": "템플릿 도우미", + "location_is_already_configured": "위치가 이미 구성되었습니다", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "API 키가 잘못되었습니다", + "pin_code": "핀 코드", + "discovered_android_tv": "발견한 Android TV", + "known_hosts": "알려진 호스트", + "google_cast_configuration": "Google Cast 구성", "abort_invalid_host": "호스트 이름 또는 IP 주소가 잘못되었습니다", "device_not_supported": "기기가 지원되지 않습니다", "name_model_at_host": "{name} ({host}의 {model})", @@ -1927,30 +2021,6 @@ "yes_do_it": "예, 잠금 해제하겠습니다.", "unlock_the_device_optional": "기기 잠금 해제하기 (선택 사항)", "connect_to_the_device": "기기에 연결하기", - "no_port_for_endpoint": "엔드포인트용 포트 없음", - "abort_no_services": "엔드포인트에서 서비스를 찾을 수 없습니다.", - "port": "포트", - "discovered_wyoming_service": "Wyoming 서비스 발견", - "invalid_authentication": "잘못된 인증", - "two_factor_code": "2단계 인증 코드", - "two_factor_authentication": "2단계 인증", - "sign_in_with_ring_account": "Ring 계정으로 로그인하기", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Fitbit 연결", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Birth 토픽이 잘못되었습니다.", "error_bad_certificate": "CA 인증서가 유효하지 않습니다.", "invalid_discovery_prefix": "잘못된 검색 접두사", @@ -1974,20 +2044,46 @@ "path_is_not_allowed": "경로가 허용되지 않습니다.", "path_is_not_valid": "경로가 잘못되었습니다.", "path_to_file": "파일 경로", - "known_hosts": "알려진 호스트", - "google_cast_configuration": "Google Cast 구성", + "api_error_occurred": "API 오류 발생", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "HTTPS 활성화", "abort_mdns_missing_mac": "MDNS 속성에 MAC 주소가 없습니다.", - "abort_mqtt_missing_api": "Missing API port in MQTT properties.", - "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", - "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.", + "abort_mqtt_missing_api": "MQTT 속성에 API 포트가 누락되었습니다.", + "abort_mqtt_missing_ip": "MQTT 속성에 IP 주소가 누락되었습니다.", + "abort_mqtt_missing_mac": "MQTT 속성에 MAC 주소가 누락되었습니다.", "service_received": "받은 서비스", "discovered_esphome_node": "발견된 ESPHome node", "encryption_key": "암호화 키", - "all_entities": "모든 구성요소", - "hide_members": "구성원 숨기기", - "add_group": "그룹 추가", - "device_class": "기기 클래스", - "ignore_non_numeric": "숫자가 아닌 항목 무시", + "component_cloud_config_step_other": "Empty", + "no_port_for_endpoint": "엔드포인트용 포트 없음", + "abort_no_services": "엔드포인트에서 서비스를 찾을 수 없습니다.", + "discovered_wyoming_service": "Wyoming 서비스 발견", + "abort_api_error": "SwitchBot API와 통신하는 중 오류가 발생했습니다: {error_detail}", + "unsupported_switchbot_type": "지원되지 않는 Switchbot 유형입니다.", + "authentication_failed_error_detail": "인증 실패: {error_detail}", + "error_encryption_key_invalid": "키 ID 또는 암호화 키가 잘못되었습니다.", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot 계정(권장)", + "menu_options_lock_key": "잠금장치 암호화 키를 수동으로 입력", + "key_id": "키 ID", + "password_description": "백업을 보호하기 위한 암호", + "device_address": "장치 주소", + "meteorologisk_institutt": "노르웨이 기상 연구소 (Meteorologisk institutt)", + "two_factor_code": "2단계 인증 코드", + "two_factor_authentication": "2단계 인증", + "sign_in_with_ring_account": "Ring 계정으로 로그인하기", + "bridge_is_already_configured": "브리지가 이미 구성되었습니다", + "no_deconz_bridges_discovered": "발견된 deCONZ 브리지가 없습니다", + "abort_no_hardware_available": "deCONZ에 연결된 무선 하드웨어가 없습니다", + "abort_updated_instance": "deCONZ 인스턴스를 새로운 호스트 주소로 업데이트했습니다", + "error_linking_not_possible": "게이트웨이와 연결할 수 없습니다.", + "error_no_key": "API 키를 가져올 수 없습니다", + "link_with_deconz": "deCONZ 연결하기", + "select_discovered_deconz_gateway": "발견된 deCONZ 게이트웨이 선택", + "all_entities": "모든 구성요소", + "hide_members": "구성원 숨기기", + "add_group": "그룹 추가", + "ignore_non_numeric": "숫자가 아닌 항목 무시", "data_round_digits": "소수점 이하 반올림", "type": "유형", "binary_sensor_group": "바이너리 센서 그룹", @@ -1999,83 +2095,50 @@ "media_player_group": "미디어 플레이어 그룹", "sensor_group": "센서 그룹", "switch_group": "스위치 그룹", - "name_already_exists": "이름이 이미 존재합니다", - "passive": "패시브", - "define_zone_parameters": "지역 매개 변수 정의하기", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "component_cloud_config_step_other": "Empty", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "기기가 다른 통합구성요소에서 더 잘 지원됩니다.", "abort_discovery_error": "일치하는 DLNA 장치를 찾지 못했습니다.", "abort_incomplete_config": "구성에 필수 변수가 없습니다.", "manual_description": "장치 설명 XML 파일의 URL", "manual_title": "DLNA DMR 장치 수동 연결", "discovered_dlna_dmr_devices": "DLNA DMR 기기 발견", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "이름이 이미 존재합니다", + "passive": "패시브", + "define_zone_parameters": "지역 매개 변수 정의하기", "calendar_name": "캘린더 이름", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "어댑터", - "multiple_adapters_description": "설정할 Bluetooth 어댑터를 선택하십시오.", - "cannot_connect_details_error_detail": "연결할 수 없습니다. 세부 정보: {error_detail}", - "unknown_details_error_detail": "알 수 없음. 세부정보: {error_detail}", - "uses_an_ssl_certificate": "SSL 인증서 사용", - "verify_ssl_certificate": "SSL 인증서 확인", - "configure_daikin_ac": "다이킨 에어컨 구성하기", - "pin_code": "핀 코드", - "discovered_android_tv": "발견한 Android TV", - "state_template": "상태 템플릿", - "template_binary_sensor": "템플릿 바이너리 센서", - "template_sensor": "템플릿 센서", - "template_a_binary_sensor": "바이너리 센서 템플릿", - "template_a_sensor": "센서 템플릿", - "template_helper": "템플릿 도우미", - "bridge_is_already_configured": "브리지가 이미 구성되었습니다", - "no_deconz_bridges_discovered": "발견된 deCONZ 브리지가 없습니다", - "abort_no_hardware_available": "deCONZ에 연결된 무선 하드웨어가 없습니다", - "abort_updated_instance": "deCONZ 인스턴스를 새로운 호스트 주소로 업데이트했습니다", - "error_linking_not_possible": "게이트웨이와 연결할 수 없습니다.", - "error_no_key": "API 키를 가져올 수 없습니다", - "link_with_deconz": "deCONZ 연결하기", - "select_discovered_deconz_gateway": "발견된 deCONZ 게이트웨이 선택", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "지원되지 않는 Switchbot 유형입니다.", - "authentication_failed_error_detail": "인증 실패: {error_detail}", - "error_encryption_key_invalid": "키 ID 또는 암호화 키가 잘못되었습니다.", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot 계정(권장)", - "menu_options_lock_key": "잠금장치 암호화 키를 수동으로 입력", - "key_id": "키 ID", - "password_description": "백업을 보호하기 위한 암호", - "device_address": "장치 주소", - "meteorologisk_institutt": "노르웨이 기상 연구소 (Meteorologisk institutt)", - "api_error_occurred": "API 오류 발생", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "HTTPS 활성화", - "enable_the_conversation_agent": "대화 에이전트 활성화", - "language_code": "언어 코드", - "select_test_server": "테스트 서버 선택", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "최소 RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "블루투스 검색 모드", + "passive_scanning": "수동 스캔", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2158,6 +2221,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "대화 에이전트 활성화", + "language_code": "언어 코드", + "data_process": "센서로 추가할 프로세스", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "최소 RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Google 캘린더에 대한 Home Assistant 액세스", + "ignore_cec": "CEC 무시", + "allowed_uuids": "허용된 UUID", + "advanced_google_cast_configuration": "고급 Google Cast 구성", "broker_options": "브로커 옵션", "enable_birth_message": "Birth 메시지 활성화하기", "birth_message_payload": "Birth 메시지 페이로드", @@ -2171,106 +2251,37 @@ "will_message_retain": "Will 메시지 리테인", "will_message_topic": "Will 메시지 토픽", "mqtt_options": "MQTT 옵션", - "ignore_cec": "CEC 무시", - "allowed_uuids": "허용된 UUID", - "advanced_google_cast_configuration": "고급 Google Cast 구성", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "블루투스 검색 모드", + "protocol": "프로토콜", + "select_test_server": "테스트 서버 선택", + "retry_count": "재시도 횟수", + "allow_deconz_clip_sensors": "deCONZ CLIP 센서 허용", + "allow_deconz_light_groups": "deCONZ 라이트 그룹 허용", + "data_allow_new_devices": "새로운 기기의 자동 추가 허용하기", + "deconz_devices_description": "deCONZ 기기 유형의 표시 여부 구성", + "deconz_options": "deCONZ 옵션", "invalid_url": "잘못된 URL", "data_browse_unfiltered": "호환되지 않는 미디어 표시", "event_listener_callback_url": "이벤트 리스너 콜백 URL", "data_listen_port": "이벤트 리스너 포트(설정되지 않은 경우 임의)", "poll_for_device_availability": "기기 가용성에 대한 폴링", "init_title": "DLNA Digital Media Renderer 구성", - "passive_scanning": "수동 스캔", - "allow_deconz_clip_sensors": "deCONZ CLIP 센서 허용", - "allow_deconz_light_groups": "deCONZ 라이트 그룹 허용", - "data_allow_new_devices": "새로운 기기의 자동 추가 허용하기", - "deconz_devices_description": "deCONZ 기기 유형의 표시 여부 구성", - "deconz_options": "deCONZ 옵션", - "retry_count": "재시도 횟수", - "data_calendar_access": "Google 캘린더에 대한 Home Assistant 액세스", - "protocol": "프로토콜", - "data_process": "센서로 추가할 프로세스", - "toggle_entity_name": "{entity_name} 토글", - "turn_off_entity_name": "{entity_name} 끄기", - "turn_on_entity_name": "{entity_name} 켜기", - "entity_name_is_off": "{entity_name} 꺼져 있으면", - "entity_name_is_on": "{entity_name} 켜져 있으면", - "trigger_type_changed_states": "{entity_name}: 켜졌거나 꺼졌을 때", - "entity_name_turned_off": "{entity_name}: 꺼졌을 때", - "entity_name_turned_on": "{entity_name}: 켜졌을 때", - "entity_name_is_home": "{entity_name}: 집에 있으면", - "entity_name_is_not_home": "{entity_name}: 외출 중이면", - "entity_name_enters_a_zone": "{entity_name}: 지역에 들어갈 때", - "entity_name_leaves_a_zone": "{entity_name}: 지역에서 나올 때", - "action_type_set_hvac_mode": "{entity_name}의 HVAC 모드 변경하기", - "change_preset_on_entity_name": "{entity_name}의 프리셋 변경하기", - "entity_name_measured_humidity_changed": "{entity_name}: 습도 변화를 감지했을 때", - "entity_name_measured_temperature_changed": "{entity_name}: 온도 변화를 감지했을 때", - "entity_name_hvac_mode_changed": "{entity_name}의 HVAC 모드가 변경되었을 때", - "entity_name_is_buffering": "{entity_name}: 버퍼링 중일 때", - "entity_name_is_idle": "{entity_name}: 대기 상태이면", - "entity_name_is_paused": "{entity_name}: 일시중지될 때", - "entity_name_is_playing": "{entity_name}: 재생 중이면", - "entity_name_starts_buffering": "{entity_name}: 버퍼링을 시작할 때", - "entity_name_becomes_idle": "{entity_name}: 대기 상태가 될 때", - "entity_name_starts_playing": "{entity_name}: 재생을 시작할 때", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first": "첫 번째", "second_button": "두 번째", "third_button": "세 번째", "fourth_button": "네 번째", - "fifth_button": "다섯 번째 버튼", - "sixth_button": "여섯 번째 버튼", - "subtype_double_clicked": "\"{subtype}\" 두 번 눌렸을 때", - "subtype_continuously_pressed": "\"{subtype}\" 계속 눌렸을 때", - "trigger_type_button_long_release": "\"{subtype}\" 길게 눌렸다가 떼였을 때", - "subtype_quadruple_clicked": "\"{subtype}\" 네 번 눌렸을 때", - "subtype_quintuple_clicked": "\"{subtype}\" 다섯 번 눌렸을 때", - "subtype_pressed": "\"{subtype}\" 눌렸을 때", - "subtype_released": "\"{subtype}\"에서 손을 떼었을 때", - "subtype_triple_clicked": "\"{subtype}\" 세 번 눌렸을 때", - "decrease_entity_name_brightness": "{entity_name}을(를) 어둡게 하기", - "increase_entity_name_brightness": "{entity_name}을(를) 밝게 하기", - "flash_entity_name": "{entity_name}을(를) 깜빡이기", - "action_type_select_first": "{entity_name} 첫 번째 옵션으로 변경", - "action_type_select_last": "{entity_name} 마지막 옵션으로 변경", - "action_type_select_next": "{entity_name} 다음 옵션으로 변경", - "change_entity_name_option": "{entity_name} 옵션 변경", - "action_type_select_previous": "{entity_name} 이전 옵션으로 변경", - "current_entity_name_selected_option": "현재 {entity_name} 선택된 옵션", - "entity_name_option_changed": "{entity_name} 옵션이 변경됨", - "entity_name_update_availability_changed": "{entity_name} 업데이트 가용성이 변경될 때", - "entity_name_became_up_to_date": "{entity_name}: 최신 상태가 되었을 때", - "trigger_type_turned_on": "{entity_name}에 사용 가능한 업데이트가 있을 때", "subtype_button_down": "{subtype} 버튼을 내렸을 때", "subtype_button_up": "{subtype} 버튼을 올렸을 때", + "subtype_double_clicked": "\"{subtype}\" 두 번 눌렸을 때", "subtype_double_push": "{subtype} 두 번 눌렀을 때", "subtype_long_clicked": "{subtype} 길게 눌렸을 때", "subtype_long_push": "{subtype} 길게 눌렀을 때", @@ -2278,8 +2289,10 @@ "subtype_single_clicked": "{subtype} 짧게 눌렸을 때", "trigger_type_single_long": "{subtype} 짧게 눌렸다가 길게 눌렸을 때", "subtype_single_push": "{subtype} 한 번 눌렀을 때", + "subtype_triple_clicked": "\"{subtype}\" 세 번 눌렸을 때", "subtype_triple_push": "{subtype} 버튼을 세 번 눌렀을 때", "set_value_for_entity_name": "{entity_name}의 값 설정하기", + "value": "값", "close_entity_name": "{entity_name}을(를) 닫기", "open_entity_name": "{entity_name}을(를) 열기", "set_entity_name_position": "{entity_name}의 개폐 위치 설정하기", @@ -2297,8 +2310,117 @@ "entity_name_opening": "{entity_name}: 열리는 중일 때", "entity_name_position_changes": "{entity_name}의 개폐 위치가 변할 때", "entity_name_tilt_position_changes": "{entity_name}의 개폐 기울기가 변할 때", - "send_a_notification": "알림 보내기", - "arm_entity_name_away": "{entity_name}을(를) 외출 경보모드로 설정하기", + "entity_name_battery_is_low": "{entity_name}의 배터리 잔량이 부족하면", + "entity_name_is_charging": "{entity_name}: 충전 중이면", + "condition_type_is_co": "{entity_name}: 일산화탄소를 감지하고 있으면", + "entity_name_is_cold": "{entity_name}의 온도가 낮으면", + "entity_name_is_connected": "{entity_name}: 연결되어 있으면", + "entity_name_is_detecting_gas": "{entity_name}: 가스를 감지하고 있으면", + "entity_name_is_hot": "{entity_name}의 온도가 높으면", + "entity_name_is_detecting_light": "{entity_name}: 빛을 감지하고 있으면", + "entity_name_is_locked": "{entity_name}: 잠겨있으면", + "entity_name_is_moist": "{entity_name}: 습하면", + "entity_name_is_detecting_motion": "{entity_name}: 움직임을 감지하고 있으면", + "entity_name_is_moving": "{entity_name}: 움직이고 있으면", + "condition_type_is_no_co": "{entity_name}: 일산화탄소를 감지하고 있지 않으면", + "condition_type_is_no_gas": "{entity_name}: 가스를 감지하고 있지 않으면", + "condition_type_is_no_light": "{entity_name}: 빛을 감지하고 있지 않으면", + "condition_type_is_no_motion": "{entity_name}: 움직임을 감지하고 있지 않으면", + "condition_type_is_no_problem": "{entity_name}: 문제를 감지하고 있지 않으면", + "condition_type_is_no_smoke": "{entity_name}: 연기를 감지하고 있지 않으면", + "condition_type_is_no_sound": "{entity_name}: 소리를 감지하고 있지 않으면", + "entity_name_is_up_to_date": "{entity_name}: 최신 상태일 때", + "condition_type_is_no_vibration": "{entity_name}: 진동을 감지하고 있지 않으면", + "entity_name_battery_is_normal": "{entity_name}의 배터리가 정상이면", + "entity_name_is_not_charging": "{entity_name}: 충전 중이 아니면", + "entity_name_is_not_cold": "{entity_name}의 온도가 낮지 않으면", + "entity_name_is_disconnected": "{entity_name}의 연결이 끊어져 있으면", + "entity_name_is_not_hot": "{entity_name}의 온도가 높지 않으면", + "entity_name_is_unlocked": "{entity_name}: 잠겨있지 않으면", + "entity_name_is_dry": "{entity_name}: 건조하면", + "entity_name_is_not_moving": "{entity_name}: 움직이고 있지 않으면", + "entity_name_is_not_occupied": "{entity_name}: 재실 상태가 아니면", + "entity_name_is_unplugged": "{entity_name}의 플러그가 뽑혀 있으면", + "entity_name_is_not_powered": "{entity_name}에 전원이 공급되고 있지 않으면", + "entity_name_is_not_home": "{entity_name}: 외출 중이면", + "entity_name_is_not_running": "{entity_name}: 작동 중이 아닐 때", + "condition_type_is_not_tampered": "{entity_name}: 조작를 감지하고 있지 않으면", + "entity_name_is_safe": "{entity_name}: 안전하면", + "entity_name_is_occupied": "{entity_name}: 재실 상태이면", + "entity_name_is_off": "{entity_name} 꺼져 있으면", + "entity_name_is_on": "{entity_name} 켜져 있으면", + "entity_name_is_plugged_in": "{entity_name}의 플러그가 꼽혀 있으면", + "entity_name_is_powered": "{entity_name}에 전원이 공급되고 있으면", + "entity_name_is_present": "{entity_name}: 재실 중이면", + "entity_name_is_detecting_problem": "{entity_name}: 문제를 감지하고 있으면", + "entity_name_is_running": "{entity_name}: 작동 중일 때", + "entity_name_is_detecting_smoke": "{entity_name}: 연기를 감지하고 있으면", + "entity_name_is_detecting_sound": "{entity_name}: 소리를 감지하고 있으면", + "entity_name_is_detecting_tampering": "{entity_name}: 조작를 감지하고 있으면", + "entity_name_is_unsafe": "{entity_name}: 안전하지 않으면", + "condition_type_is_update": "{entity_name}에 사용 가능한 업데이트가 있습니다.", + "entity_name_is_detecting_vibration": "{entity_name}: 진동을 감지하고 있으면", + "entity_name_battery_low": "{entity_name}의 배터리 잔량이 부족해졌을 때", + "entity_name_charging": "충전 중인 {entity_name}이면", + "trigger_type_co": "{entity_name}: 일산화탄소를 감지하기 시작했을 때", + "entity_name_became_cold": "{entity_name}의 온도가 낮아졌을 때", + "entity_name_connected": "{entity_name}: 연결되었을 때", + "entity_name_started_detecting_gas": "{entity_name}: 가스를 감지하기 시작했을 때", + "entity_name_became_hot": "{entity_name}의 온도가 높아졌을 때", + "entity_name_started_detecting_light": "{entity_name}: 빛을 감지하기 시작했을 때", + "entity_name_locked": "{entity_name}: 잠겼을 때", + "entity_name_became_moist": "{entity_name}: 습해졌을 때", + "entity_name_started_detecting_motion": "{entity_name}: 움직임을 감지하기 시작했을 때", + "entity_name_started_moving": "{entity_name}: 움직이기 시작했을 때", + "trigger_type_no_co": "{entity_name}: 일산화탄소를 감지하지 않게 되었을 때", + "entity_name_stopped_detecting_gas": "{entity_name}: 가스를 감지하지 않게 되었을 때", + "entity_name_stopped_detecting_light": "{entity_name}: 빛을 감지하지 않게 되었을 때", + "entity_name_stopped_detecting_motion": "{entity_name}: 움직임을 감지하지 않게 되었을 때", + "entity_name_stopped_detecting_problem": "{entity_name}: 문제를 감지하지 않게 되었을 때", + "entity_name_stopped_detecting_smoke": "{entity_name}: 연기를 감지하지 않게 되었을 때", + "entity_name_stopped_detecting_sound": "{entity_name}: 소리를 감지하지 않게 되었을 때", + "entity_name_became_up_to_date": "{entity_name}: 최신 상태가 되었을 때", + "entity_name_stopped_detecting_vibration": "{entity_name}: 진동을 감지하지 않게 되었을 때", + "entity_name_battery_normal": "{entity_name}의 배터리가 정상이 되었을 때", + "entity_name_not_charging": "충전 중이 아닌 {entity_name}이면", + "entity_name_became_not_cold": "{entity_name}의 온도가 낮지 않게 되었을 때", + "entity_name_disconnected": "{entity_name}의 연결이 끊어졌을 때", + "entity_name_became_not_hot": "{entity_name}의 온도가 높지 않게 되었을 때", + "entity_name_unlocked": "{entity_name}: 잠금이 해제되었을 때", + "entity_name_became_dry": "{entity_name}: 건조해졌을 때", + "entity_name_stopped_moving": "{entity_name}: 움직이지 않게 되었을 때", + "entity_name_became_not_occupied": "{entity_name}: 재실 상태가 아니게 되었을 때", + "entity_name_unplugged": "{entity_name}의 플러그가 뽑혔을 때", + "entity_name_not_powered": "{entity_name}에 전원이 공급되지 않게 되었을 때", + "entity_name_not_present": "{entity_name}: 외출 상태가 되었을 때", + "trigger_type_not_running": "{entity_name}: 더 이상 작동하지 않을 때", + "entity_name_stopped_detecting_tampering": "{entity_name}: 조작을 감지하지 않게 되었을 때", + "entity_name_became_safe": "{entity_name}: 안전해졌을 때", + "entity_name_present": "{entity_name}: 재실 상태가 되었을 때", + "entity_name_plugged_in": "{entity_name}의 플러그가 꼽혔을 때", + "entity_name_powered": "{entity_name}에 전원이 공급되었을 때", + "entity_name_started_detecting_problem": "{entity_name}: 문제를 감지하기 시작했을 때", + "entity_name_started_running": "{entity_name}: 작동하기 시작했을 때", + "entity_name_started_detecting_smoke": "{entity_name}: 연기를 감지하기 시작했을 때", + "entity_name_started_detecting_sound": "{entity_name}: 소리를 감지하기 시작했을 때", + "entity_name_started_detecting_tampering": "{entity_name}: 조작을 감지하기 시작했을 때", + "entity_name_turned_off": "{entity_name}: 꺼졌을 때", + "entity_name_turned_on": "{entity_name}: 켜졌을 때", + "entity_name_became_unsafe": "{entity_name}: 안전하지 않게 되었을 때", + "trigger_type_update": "{entity_name}: 사용 가능한 업데이트를 받았습니다.", + "entity_name_started_detecting_vibration": "{entity_name}: 진동을 감지하기 시작했을 때", + "entity_name_is_buffering": "{entity_name}: 버퍼링 중일 때", + "entity_name_is_idle": "{entity_name}: 대기 상태이면", + "entity_name_is_paused": "{entity_name}: 일시중지될 때", + "entity_name_is_playing": "{entity_name}: 재생 중이면", + "entity_name_starts_buffering": "{entity_name}: 버퍼링을 시작할 때", + "trigger_type_changed_states": "{entity_name}: 켜졌거나 꺼졌을 때", + "entity_name_becomes_idle": "{entity_name}: 대기 상태가 될 때", + "entity_name_starts_playing": "{entity_name}: 재생을 시작할 때", + "toggle_entity_name": "{entity_name} 토글", + "turn_off_entity_name": "{entity_name} 끄기", + "turn_on_entity_name": "{entity_name} 켜기", + "arm_entity_name_away": "{entity_name}을(를) 외출 경보모드로 설정하기", "arm_entity_name_home": "{entity_name}을(를) 재실 경보모드로 설정하기", "arm_entity_name_night": "{entity_name}을(를) 야간 경보모드로 설정하기", "arm_entity_name_vacation": "{entity_name}을(를) 휴가 경보모드로 설정하기", @@ -2316,12 +2438,24 @@ "entity_name_armed_vacation": "{entity_name}: 휴가 경보모드로 설정되었을 때", "entity_name_disarmed": "{entity_name}: 경보 해제되었을 때", "entity_name_triggered": "{entity_name}: 트리거되었을 때", + "entity_name_is_home": "{entity_name}: 집에 있으면", + "entity_name_enters_a_zone": "{entity_name}: 지역에 들어갈 때", + "entity_name_leaves_a_zone": "{entity_name}: 지역에서 나올 때", + "lock_entity_name": "{entity_name}을(를) 잠그기", + "unlock_entity_name": "{entity_name}을(를) 잠금 해제하기", + "action_type_set_hvac_mode": "{entity_name}의 HVAC 모드 변경하기", + "change_preset_on_entity_name": "{entity_name}의 프리셋 변경하기", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name}: 습도 변화를 감지했을 때", + "entity_name_measured_temperature_changed": "{entity_name}: 온도 변화를 감지했을 때", + "entity_name_hvac_mode_changed": "{entity_name}의 HVAC 모드가 변경되었을 때", "current_entity_name_apparent_power": "현재 {entity_name}의 피상 전력이 ~ 이면", "condition_type_is_aqi": "현재 {entity_name}의 공기질 지수가 ~ 이면", "current_entity_name_atmospheric_pressure": "현재 {entity_name}의 기압이 ~ 이면", "current_entity_name_battery_level": "현재 {entity_name}의 배터리 잔량이 ~ 이면", "condition_type_is_carbon_dioxide": "현재 {entity_name}의 이산화탄소 농도 수준이 ~ 이면", "condition_type_is_carbon_monoxide": "현재 {entity_name}의 일산화탄소 농도 수준이 ~ 이면", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "현재 {entity_name}의 전류가 ~ 이면", "current_entity_name_data_rate": "현재 {entity_name}의 데이터 속도가 ~ 이면", "current_entity_name_data_size": "현재 {entity_name}의 데이터 크기가 ~ 이면", @@ -2365,6 +2499,7 @@ "entity_name_battery_level_changes": "{entity_name}의 배터리 잔량이 변할 때", "trigger_type_carbon_dioxide": "{entity_name}의 이산화탄소 농도가 변할 때", "trigger_type_carbon_monoxide": "{entity_name}의 일산화탄소 농도가 변할 때", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name}의 전류가 변할 때", "entity_name_data_rate_changes": "{entity_name}의 데이터 속도가 변할 때", "entity_name_data_size_changes": "{entity_name}의 데이터 크기가 변할 때", @@ -2403,101 +2538,28 @@ "entity_name_water_changes": "{entity_name}의 물이 변할 때", "entity_name_weight_changes": "{entity_name}의 중량이 변할 때", "entity_name_wind_speed_changes": "{entity_name}의 풍속이 변할 때", - "press_entity_name_button": "{entity_name} 버튼 누르기", - "entity_name_has_been_pressed": "{entity_name} 눌렸습니다", - "entity_name_battery_is_low": "{entity_name}의 배터리 잔량이 부족하면", - "entity_name_is_charging": "{entity_name}: 충전 중이면", - "condition_type_is_co": "{entity_name}: 일산화탄소를 감지하고 있으면", - "entity_name_is_cold": "{entity_name}의 온도가 낮으면", - "entity_name_is_connected": "{entity_name}: 연결되어 있으면", - "entity_name_is_detecting_gas": "{entity_name}: 가스를 감지하고 있으면", - "entity_name_is_hot": "{entity_name}의 온도가 높으면", - "entity_name_is_detecting_light": "{entity_name}: 빛을 감지하고 있으면", - "entity_name_is_locked": "{entity_name}: 잠겨있으면", - "entity_name_is_moist": "{entity_name}: 습하면", - "entity_name_is_detecting_motion": "{entity_name}: 움직임을 감지하고 있으면", - "entity_name_is_moving": "{entity_name}: 움직이고 있으면", - "condition_type_is_no_co": "{entity_name}: 일산화탄소를 감지하고 있지 않으면", - "condition_type_is_no_gas": "{entity_name}: 가스를 감지하고 있지 않으면", - "condition_type_is_no_light": "{entity_name}: 빛을 감지하고 있지 않으면", - "condition_type_is_no_motion": "{entity_name}: 움직임을 감지하고 있지 않으면", - "condition_type_is_no_problem": "{entity_name}: 문제를 감지하고 있지 않으면", - "condition_type_is_no_smoke": "{entity_name}: 연기를 감지하고 있지 않으면", - "condition_type_is_no_sound": "{entity_name}: 소리를 감지하고 있지 않으면", - "entity_name_is_up_to_date": "{entity_name}: 최신 상태일 때", - "condition_type_is_no_vibration": "{entity_name}: 진동을 감지하고 있지 않으면", - "entity_name_battery_is_normal": "{entity_name}의 배터리가 정상이면", - "entity_name_is_not_charging": "{entity_name}: 충전 중이 아니면", - "entity_name_is_not_cold": "{entity_name}의 온도가 낮지 않으면", - "entity_name_is_disconnected": "{entity_name}의 연결이 끊어져 있으면", - "entity_name_is_not_hot": "{entity_name}의 온도가 높지 않으면", - "entity_name_is_unlocked": "{entity_name}: 잠겨있지 않으면", - "entity_name_is_dry": "{entity_name}: 건조하면", - "entity_name_is_not_moving": "{entity_name}: 움직이고 있지 않으면", - "entity_name_is_not_occupied": "{entity_name}: 재실 상태가 아니면", - "entity_name_is_unplugged": "{entity_name}의 플러그가 뽑혀 있으면", - "entity_name_is_not_powered": "{entity_name}에 전원이 공급되고 있지 않으면", - "entity_name_is_not_running": "{entity_name}: 작동 중이 아닐 때", - "condition_type_is_not_tampered": "{entity_name}: 조작를 감지하고 있지 않으면", - "entity_name_is_safe": "{entity_name}: 안전하면", - "entity_name_is_occupied": "{entity_name}: 재실 상태이면", - "entity_name_is_plugged_in": "{entity_name}의 플러그가 꼽혀 있으면", - "entity_name_is_powered": "{entity_name}에 전원이 공급되고 있으면", - "entity_name_is_present": "{entity_name}: 재실 중이면", - "entity_name_is_detecting_problem": "{entity_name}: 문제를 감지하고 있으면", - "entity_name_is_running": "{entity_name}: 작동 중일 때", - "entity_name_is_detecting_smoke": "{entity_name}: 연기를 감지하고 있으면", - "entity_name_is_detecting_sound": "{entity_name}: 소리를 감지하고 있으면", - "entity_name_is_detecting_tampering": "{entity_name}: 조작를 감지하고 있으면", - "entity_name_is_unsafe": "{entity_name}: 안전하지 않으면", - "condition_type_is_update": "{entity_name}에 사용 가능한 업데이트가 있습니다.", - "entity_name_is_detecting_vibration": "{entity_name}: 진동을 감지하고 있으면", - "entity_name_battery_low": "{entity_name}의 배터리 잔량이 부족해졌을 때", - "entity_name_charging": "충전 중인 {entity_name}이면", - "trigger_type_co": "{entity_name}: 일산화탄소를 감지하기 시작했을 때", - "entity_name_became_cold": "{entity_name}의 온도가 낮아졌을 때", - "entity_name_connected": "{entity_name}: 연결되었을 때", - "entity_name_started_detecting_gas": "{entity_name}: 가스를 감지하기 시작했을 때", - "entity_name_became_hot": "{entity_name}의 온도가 높아졌을 때", - "entity_name_started_detecting_light": "{entity_name}: 빛을 감지하기 시작했을 때", - "entity_name_locked": "{entity_name}: 잠겼을 때", - "entity_name_became_moist": "{entity_name}: 습해졌을 때", - "entity_name_started_detecting_motion": "{entity_name}: 움직임을 감지하기 시작했을 때", - "entity_name_started_moving": "{entity_name}: 움직이기 시작했을 때", - "trigger_type_no_co": "{entity_name}: 일산화탄소를 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_gas": "{entity_name}: 가스를 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_light": "{entity_name}: 빛을 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_motion": "{entity_name}: 움직임을 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_problem": "{entity_name}: 문제를 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_smoke": "{entity_name}: 연기를 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_sound": "{entity_name}: 소리를 감지하지 않게 되었을 때", - "entity_name_stopped_detecting_vibration": "{entity_name}: 진동을 감지하지 않게 되었을 때", - "entity_name_battery_normal": "{entity_name}의 배터리가 정상이 되었을 때", - "entity_name_not_charging": "충전 중이 아닌 {entity_name}이면", - "entity_name_became_not_cold": "{entity_name}의 온도가 낮지 않게 되었을 때", - "entity_name_disconnected": "{entity_name}의 연결이 끊어졌을 때", - "entity_name_became_not_hot": "{entity_name}의 온도가 높지 않게 되었을 때", - "entity_name_unlocked": "{entity_name}: 잠금이 해제되었을 때", - "entity_name_became_dry": "{entity_name}: 건조해졌을 때", - "entity_name_stopped_moving": "{entity_name}: 움직이지 않게 되었을 때", - "entity_name_became_not_occupied": "{entity_name}: 재실 상태가 아니게 되었을 때", - "entity_name_unplugged": "{entity_name}의 플러그가 뽑혔을 때", - "entity_name_not_powered": "{entity_name}에 전원이 공급되지 않게 되었을 때", - "entity_name_not_present": "{entity_name}: 외출 상태가 되었을 때", - "trigger_type_not_running": "{entity_name}: 더 이상 작동하지 않을 때", - "entity_name_stopped_detecting_tampering": "{entity_name}: 조작을 감지하지 않게 되었을 때", - "entity_name_became_safe": "{entity_name}: 안전해졌을 때", - "entity_name_present": "{entity_name}: 재실 상태가 되었을 때", - "entity_name_plugged_in": "{entity_name}의 플러그가 꼽혔을 때", - "entity_name_powered": "{entity_name}에 전원이 공급되었을 때", - "entity_name_started_detecting_problem": "{entity_name}: 문제를 감지하기 시작했을 때", - "entity_name_started_running": "{entity_name}: 작동하기 시작했을 때", - "entity_name_started_detecting_smoke": "{entity_name}: 연기를 감지하기 시작했을 때", - "entity_name_started_detecting_sound": "{entity_name}: 소리를 감지하기 시작했을 때", - "entity_name_started_detecting_tampering": "{entity_name}: 조작을 감지하기 시작했을 때", - "entity_name_became_unsafe": "{entity_name}: 안전하지 않게 되었을 때", - "trigger_type_update": "{entity_name}: 사용 가능한 업데이트를 받았습니다.", - "entity_name_started_detecting_vibration": "{entity_name}: 진동을 감지하기 시작했을 때", + "decrease_entity_name_brightness": "{entity_name}을(를) 어둡게 하기", + "increase_entity_name_brightness": "{entity_name}을(를) 밝게 하기", + "flash_entity_name": "{entity_name}을(를) 깜빡이기", + "flash": "Flash", + "fifth_button": "다섯 번째 버튼", + "sixth_button": "여섯 번째 버튼", + "subtype_continuously_pressed": "\"{subtype}\" 계속 눌렸을 때", + "trigger_type_button_long_release": "\"{subtype}\" 길게 눌렸다가 떼였을 때", + "subtype_quadruple_clicked": "\"{subtype}\" 네 번 눌렸을 때", + "subtype_quintuple_clicked": "\"{subtype}\" 다섯 번 눌렸을 때", + "subtype_pressed": "\"{subtype}\" 눌렸을 때", + "subtype_released": "\"{subtype}\"에서 손을 떼었을 때", + "action_type_select_first": "{entity_name} 첫 번째 옵션으로 변경", + "action_type_select_last": "{entity_name} 마지막 옵션으로 변경", + "action_type_select_next": "{entity_name} 다음 옵션으로 변경", + "change_entity_name_option": "{entity_name} 옵션 변경", + "action_type_select_previous": "{entity_name} 이전 옵션으로 변경", + "current_entity_name_selected_option": "현재 {entity_name} 선택된 옵션", + "cycle": "주기", + "from": "From", + "entity_name_option_changed": "{entity_name} 옵션이 변경됨", + "send_a_notification": "알림 보내기", "both_buttons": "두 개", "bottom_buttons": "하단 버튼", "seventh_button": "일곱 번째 버튼", @@ -2522,16 +2584,24 @@ "trigger_type_remote_rotate_from_side": "\"면 6\" 에서 \"{subtype}\"로 기기가 회전되었을 때", "device_turned_clockwise": "시계 방향으로 기기가 회전되었을 때", "device_turned_counter_clockwise": "반시계 방향으로 기기가 회전되었을 때", - "lock_entity_name": "{entity_name}을(를) 잠그기", - "unlock_entity_name": "{entity_name}을(를) 잠금 해제하기", - "critical": "중대한", - "debug": "디버그", - "warning": "경고", + "press_entity_name_button": "{entity_name} 버튼 누르기", + "entity_name_has_been_pressed": "{entity_name} 눌렸습니다", + "entity_name_update_availability_changed": "{entity_name} 업데이트 가용성이 변경될 때", + "trigger_type_turned_on": "{entity_name}에 사용 가능한 업데이트가 있을 때", "add_to_queue": "대기열에 추가", "play_next": "다음 재생", "options_replace": "지금 플레이하고 대기열 지우기", "repeat_all": "모두 반복", "repeat_one": "하나 반복", + "critical": "중대한", + "debug": "디버그", + "warning": "경고", + "most_recently_updated": "가장 최근에 업데이트됨", + "arithmetic_mean": "산술 평균", + "median": "중앙값", + "product": "제품", + "statistical_range": "통계 범위", + "standard_deviation": "표준 편차", "alice_blue": "앨리스 블루", "antique_white": "앤티크 화이트", "aqua": "아쿠아", @@ -2655,81 +2725,75 @@ "wheat": "위트", "white_smoke": "화이트 스모크", "yellow_green": "옐로우 그린", + "fatal": "치명적", "no_device_class": "기기 클래스 없음", "no_state_class": "상태 클래스 없음", "no_unit_of_measurement": "측정 단위 없음", - "fatal": "치명적", - "most_recently_updated": "가장 최근에 업데이트됨", - "arithmetic_mean": "산술 평균", - "median": "중앙값", - "product": "제품", - "statistical_range": "통계 범위", - "standard_deviation": "Standard deviation", - "restarts_an_add_on": "애드온을 다시 시작합니다.", - "the_add_on_slug": "애드온 슬러그", - "restart_add_on": "애드온 재시작", - "start_add_on": "애드온 시작", - "addon_stdin_name": "애드온 스틴에 데이터를 씁니다.", - "stop_add_on": "애드온 중지", - "update_add_on": "애드온 업데이트", - "create_a_full_backup": "전체 백업 생성", - "compresses_the_backup_files": "백업 파일 압축", - "compressed": "압축", - "home_assistant_exclude_database": "Home Assistant 제외 데이터베이스", - "name_description": "선택 사항(기본값 = 현재 날짜 및 시간)", - "create_a_partial_backup": "부분 백업 생성", - "folders": "폴더", - "homeassistant_description": "백업에 Home Assistant 설정을 포함합니다.", - "home_assistant_settings": "Home Assistant 설정", - "reboot_the_host_system": "호스트 시스템 재부팅", - "host_shutdown_name": "호스트 시스템 전원 끄기", - "restore_from_full_backup": "전체 백업에서 복원합니다.", - "optional_password": "암호 (선택 사항)", - "slug_description": "복원할 백업의 슬러그", - "slug": "슬러그", - "restore_partial_description": "부분 백업에서 복원합니다.", - "restores_home_assistant": "Home Assistant를 복원합니다.", - "broadcast_address": "브로드캐스트 주소", - "broadcast_port_description": "매직 패킷을 보낼 포트", - "broadcast_port": "브로드캐스트 포트", - "mac_address": "MAC 주소", - "send_magic_packet": "매직 패킷 보내기", - "command_description": "Google 어시스턴트로 보낼 명령어입니다.", - "media_player_entity": "미디어 플레이어 구성요소", - "send_text_command": "문자 명령 보내기", - "clear_tts_cache": "TTS 캐시 지우기", - "cache": "캐시", - "entity_id_description": "로그북 항목에서 참조할 구성요소입니다.", - "language_description": "텍스트 언어. 기본값은 서버 언어", - "options_description": "통합구성요소 관련 옵션이 포함된 사전입니다.", - "say_a_tts_message": "TTS 메시지 말하기", - "media_player_entity_id_description": "메시지를 재생할 미디어 플레이어", - "stops_a_running_script": "실행 중인 스크립트를 중지합니다.", + "dump_log_objects": "덤프 로그 개체", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "예약된 이벤트 루프 기록", + "log_thread_frames_description": "모든 스레드의 현재 프레임을 기록합니다.", + "log_thread_frames": "스레드 프레임 기록", + "lru_stats_description": "모든 lru 캐시의 통계를 기록합니다.", + "log_lru_stats": "LRU 통계 기록", + "starts_the_memory_profiler": "메모리 프로파일러를 시작합니다.", + "memory": "메모리", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "프로파일러를 시작합니다.", + "max_objects_description": "기록할 최대 개체 수입니다.", + "maximum_objects": "최대 개체", + "scan_interval_description": "로깅 개체 사이의 시간(초)", + "scan_interval": "스캔 간격", + "start_logging_object_sources": "개체 소스 로깅 시작", + "start_log_objects_description": "메모리에 있는 개체의 증가를 로깅하기 시작합니다.", + "start_logging_objects": "개체 로깅 시작", + "stop_logging_object_sources": "개체 소스 로깅 중지", + "stop_log_objects_description": "메모리에 있는 개체의 증가를 로깅하는 것을 중지합니다.", + "stop_logging_objects": "개체 로깅 중지", "request_sync_description": "Google에 request_sync 명령을 보냅니다.", "agent_user_id": "에이전트 사용자 ID", "request_sync": "동기화 요청", - "sets_a_random_effect": "랜덤 효과 설정", - "sequence_description": "HSV 시퀀스 목록(최대 16개)", - "backgrounds": "배경", - "initial_brightness": "초기 밝기", - "brightness_range": "밝기 범위", - "fade_off": "페이드 오프", - "hue_range": "색조 범위", - "initial_hsv_sequence": "초기 HSV 시퀀스", - "initial_states": "초기 상태", - "random_seed": "랜덤 시드", - "saturation_range": "채도 범위", - "segments_description": "세그먼트 목록(모두 0)", - "segments": "세그먼트", - "transition": "전환", - "transition_range": "전환 범위", - "random_effect": "랜덤 효과", - "sets_a_sequence_effect": "시퀀스 효과 설정", - "repetitions_for_continuous": "반복(연속의 경우 0)", - "sequence": "시퀀스", - "speed_of_spread": "확산 속도", - "spread": "확산", - "sequence_effect": "시퀀스 효과", + "reload_resources_description": "YAML 구성에서 대시보드 리소스를 다시 로드합니다.", + "clears_all_log_entries": "모든 로그 항목을 지웁니다.", + "clear_all": "모두 지우기", + "write_log_entry": "로그 항목 쓰기", + "log_level": "로그 레벨", + "level": "레벨", + "message_to_log": "기록할 메시지", + "write": "입력", + "set_value_description": "숫자 값을 설정합니다.", + "value_description": "구성 매개변수의 값", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "사이렌 토글", + "turns_the_siren_off": "사이렌 끄기", + "turns_the_siren_on": "사이렌 켜기", + "tone": "톤", + "add_event_description": "새 캘린더 이벤트를 추가합니다.", + "location_description": "이벤트의 위치. 선택 사항", + "start_date_description": "하루 종일 이벤트가 시작되는 날짜", + "create_event": "일정 만들기", + "get_events": "Get events", + "list_event": "일정 목록", + "closes_a_cover": "커버 닫기", + "close_cover_tilt_description": "커버를 기울여 닫습니다.", + "close_tilt": "기울기 닫기", + "opens_a_cover": "커버 열기", + "tilts_a_cover_open": "커버를 기울여 엽니다.", + "open_tilt": "기울기 열기", + "set_cover_position_description": "커버를 특정 위치로 이동합니다.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "대상 기울기 위치", + "set_tilt_position": "기울기 위치 설정", + "stops_the_cover_movement": "커버 이동을 중지합니다.", + "stop_cover_tilt_description": "틸팅 커버의 움직임을 중지합니다.", + "stop_tilt": "기울기 중지", + "toggles_a_cover_open_closed": "커버 토글", + "toggle_cover_tilt_description": "커버 기울기 토글", + "toggle_tilt": "기울기 토글", "check_configuration": "구성 확인", "reload_all": "모두 새로고침", "reload_config_entry_description": "지정된 구성 항목을 다시 로드합니다.", @@ -2751,95 +2815,43 @@ "generic_turn_off": "일반 끄기", "generic_turn_on": "일반 켜기", "update_entity": "구성요소 업데이트", - "add_event_description": "새 캘린더 이벤트를 추가합니다.", - "location_description": "이벤트의 위치. 선택 사항", - "start_date_description": "하루 종일 이벤트가 시작되는 날짜", - "create_event": "일정 만들기", - "get_events": "Get events", - "list_event": "일정 목록", - "toggles_a_switch_on_off": "스위치 토글", - "turns_a_switch_off": "스위치 끄기", - "turns_a_switch_on": "스위치 켜기", - "disables_the_motion_detection": "움직임 감지를 비활성화합니다.", - "disable_motion_detection": "움직임 감지 비활성화", - "enables_the_motion_detection": "움직임 감지를 활성화합니다.", - "enable_motion_detection": "움직임 감지 활성화", - "format_description": "미디어 플레이어에서 지원하는 스트림 형식입니다.", - "format": "형식", - "media_player_description": "스트리밍할 미디어 플레이어", - "play_stream": "스트림 재생", - "filename": "파일 이름", - "lookback": "룩백", - "snapshot_description": "카메라에서 스냅샷을 찍습니다.", - "take_snapshot": "스냅샷 찍기", - "turns_off_the_camera": "카메라를 끕니다.", - "turns_on_the_camera": "카메라 켜기", - "notify_description": "선택한 대상에 알림 메시지를 보냅니다.", - "data": "데이터", - "message_description": "알림의 메시지 본문", - "title_of_the_notification": "알림 제목", - "send_a_persistent_notification": "지속적인 알림 보내기", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "알림의 제목(선택 사항)", - "send_a_notification_message": "Send a notification message", "creates_a_new_backup": "새 백업 만들기", - "see_description": "추적된 디바이스를 기록합니다.", - "battery_description": "기기 배터리 잔량", - "gps_coordinates": "GPS 좌표", - "gps_accuracy_description": "GPS 좌표의 정확도", - "hostname_of_the_device": "기기의 호스트 이름", - "hostname": "호스트 이름", - "mac_description": "기기의 MAC 주소", - "log_description": "로그북에 사용자 지정 항목을 만듭니다.", - "apply_description": "구성으로 장면을 활성화합니다.", - "entities_description": "구성요소 및 해당 대상 상태 목록", - "apply": "적용", - "creates_a_new_scene": "새 장면 만들기", - "scene_id_description": "새 장면의 구성요소 ID", - "scene_entity_id": "장면 구성요소 ID", - "snapshot_entities": "스냅샷 구성요소", - "delete_description": "동적으로 생성된 장면을 삭제합니다.", - "activates_a_scene": "장면 활성화", - "turns_auxiliary_heater_on_off": "보조 히터를 켜거나 끕니다.", - "aux_heat_description": "보조 히터의 새로운 값", - "auxiliary_heating": "보조 난방", - "turn_on_off_auxiliary_heater": "보조 히터 켜기/끄기", - "sets_fan_operation_mode": "팬 작동 모드를 설정합니다.", - "fan_operation_mode": "팬 작동 모드", - "set_fan_mode": "팬 모드 설정", - "set_target_humidity": "희망 습도 설정", - "sets_hvac_operation_mode": "HVAC 작동 모드 설정", - "hvac_operation_mode": "HVAC 작동 모드", - "set_hvac_mode": "HVAC 모드 설정", - "set_preset_mode": "프리셋 모드 설정", - "swing_operation_mode": "회전 작동 모드 설정", - "set_swing_mode": "회전 모드 설정", - "set_target_temperature": "희망 온도를 설정합니다.", - "target_temperature_low": "높은 희망 온도", - "low_target_temperature": "낮은 희망 온도", - "turns_climate_device_off": "공조 장치를 끕니다.", - "turns_climate_device_on": "공조 장치를 켭니다.", - "clears_all_log_entries": "모든 로그 항목을 지웁니다.", - "clear_all": "모두 지우기", - "write_log_entry": "로그 항목 쓰기", - "log_level": "로그 레벨", - "level": "레벨", - "message_to_log": "기록할 메시지", - "write": "입력", - "device_description": "명령을 보낼 기기 ID", - "delete_command": "명령 삭제", - "alternative": "대안", - "command_type_description": "학습할 명령 유형", - "command_type": "명령 유형", - "timeout_description": "학습할 명령에 대한 시간 초과", - "learn_command": "명령 학습", - "delay_seconds": "지연 시간(초)", - "hold_seconds": "보류 시간(초)", - "send_command": "명령 보내기", - "toggles_a_device_on_off": "기기 토글", - "turns_the_device_off": "기기 끄기", - "turn_on_description": "전원 켜기 명령 보내기", + "decrement_description": "현재 값을 1단계 감소시킵니다.", + "increment_description": "값을 1단계씩 증가시킵니다.", + "sets_the_value": "값을 설정합니다.", + "the_target_value": "대상 값", + "reloads_the_automation_configuration": "자동화 구성을 다시 로드합니다.", + "toggle_description": "미디어 플레이어 토글", + "trigger_description": "자동화 작업을 트리거합니다.", + "skip_conditions": "조건 건너뛰기", + "disables_an_automation": "자동화 비활성화", + "stops_currently_running_actions": "현재 실행 중인 동작 중지", + "stop_actions": "동작 중지", + "enables_an_automation": "자동화를 활성화합니다.", + "restarts_an_add_on": "애드온을 다시 시작합니다.", + "the_add_on_slug": "애드온 슬러그", + "restart_add_on": "애드온 재시작", + "start_add_on": "애드온 시작", + "addon_stdin_name": "애드온 스틴에 데이터를 씁니다.", + "stop_add_on": "애드온 중지", + "update_add_on": "애드온 업데이트", + "create_a_full_backup": "전체 백업 생성", + "compresses_the_backup_files": "백업 파일 압축", + "compressed": "압축", + "home_assistant_exclude_database": "Home Assistant 제외 데이터베이스", + "name_description": "선택 사항(기본값 = 현재 날짜 및 시간)", + "create_a_partial_backup": "부분 백업 생성", + "folders": "폴더", + "homeassistant_description": "백업에 Home Assistant 설정을 포함합니다.", + "home_assistant_settings": "Home Assistant 설정", + "reboot_the_host_system": "호스트 시스템 재부팅", + "host_shutdown_name": "호스트 시스템 전원 끄기", + "restore_from_full_backup": "전체 백업에서 복원합니다.", + "optional_password": "암호 (선택 사항)", + "slug_description": "복원할 백업의 슬러그", + "slug": "슬러그", + "restore_partial_description": "부분 백업에서 복원합니다.", + "restores_home_assistant": "Home Assistant를 복원합니다.", "clear_playlist": "재생 목록 지우기", "selects_the_next_track": "다음 트랙을 선택합니다.", "pauses": "일시 중지", @@ -2854,7 +2866,6 @@ "select_sound_mode": "사운드 모드 선택", "select_source": "소스 선택", "shuffle_description": "셔플 모드 활성화 여부", - "toggle_description": "자동화를 토글(활성화/비활성화)합니다.", "unjoin": "참여 해제", "turns_down_the_volume": "볼륨을 낮춥니다.", "turn_down_volume": "볼륨 낮추기", @@ -2865,186 +2876,13 @@ "set_volume": "볼륨 설정", "turns_up_the_volume": "볼륨을 높입니다.", "turn_up_volume": "볼륨 높이기", - "topic_to_listen_to": "들을 토픽", - "topic": "토픽", - "export": "내보내기", - "publish_description": "MQTT 토픽에 메시지를 발행합니다.", - "the_payload_to_publish": "발행할 페이로드", - "payload": "페이로드", - "payload_template": "페이로드 템플릿", - "qos": "QoS", - "retain": "유지", - "topic_to_publish_to": "발행할 토픽", - "publish": "발행", - "brightness_value": "밝기 값", - "a_human_readable_color_name": "사람이 읽을 수 있는 색상 이름", - "color_name": "색상 이름", - "color_temperature_in_mireds": "미레드의 색온도", - "light_effect": "조명 효과", - "flash": "플래시", - "hue_sat_color": "색조/채도 색상", - "profile_description": "사용할 조명 프로필의 이름", - "white_description": "조명을 흰색 모드로 설정합니다.", - "xy_color": "XY 색상", - "turn_off_description": "하나 이상의 조명을 끕니다.", - "brightness_step_description": "밝기를 얼마만큼 변경할 수 있습니다.", - "brightness_step_value": "밝기 단계 값", - "brightness_step_pct_description": "밝기를 백분율로 변경합니다.", - "brightness_step": "밝기 단계", - "rgbw_color": "RGBW 색상", - "rgbww_color": "RGBWW-색상", - "reloads_the_automation_configuration": "자동화 구성을 다시 로드합니다.", - "trigger_description": "자동화 작업을 트리거합니다.", - "skip_conditions": "조건 건너뛰기", - "disables_an_automation": "자동화 비활성화", - "stops_currently_running_actions": "현재 실행 중인 동작 중지", - "stop_actions": "동작 중지", - "enables_an_automation": "자동화를 활성화합니다.", - "dashboard_path": "대시보드 경로", - "view_path": "경로 보기", - "show_dashboard_view": "대시보드 보기 표시", - "toggles_the_siren_on_off": "사이렌 토글", - "turns_the_siren_off": "사이렌 끄기", - "turns_the_siren_on": "사이렌 켜기", - "tone": "톤", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "주어진 URL에서 파일을 다운로드합니다.", - "removes_a_group": "그룹을 제거합니다.", - "object_id": "오브젝트 ID", - "creates_updates_a_user_group": "사용자 그룹을 생성/업데이트합니다.", - "add_entities": "구성요소 추가", - "icon_description": "그룹 아이콘의 이름", - "name_of_the_group": "그룹의 이름", - "purge_entities": "구성요소 제거", - "selects_the_first_option": "첫 번째 옵션을 선택합니다.", - "selects_the_last_option": "마지막 옵션 선택", - "selects_the_next_option": "다음 옵션을 선택합니다.", - "cycle": "주기", - "selects_an_option": "옵션을 선택합니다.", - "option_to_be_selected": "선택할 옵션", - "selects_the_previous_option": "이전 옵션을 선택합니다.", - "create_description": "**알림** 패널에 알림을 표시합니다.", - "notification_id": "알림 ID", - "dismiss_description": "**알림** 패널에서 알림을 제거합니다.", - "notification_id_description": "제거할 알림의 ID", - "dismiss_all_description": "**알림** 패널에서 모든 알림을 제거합니다.", - "cancels_a_timer": "타이머 취소", - "changes_a_timer": "타이머 변경", - "finishes_a_timer": "타이머 종료", - "pauses_a_timer": "타이머 일시정지", - "starts_a_timer": "타이머 시작", - "duration_description": "타이머가 완료되는 데 필요한 시간입니다. [선택 과목]", - "select_the_next_option": "다음 옵션 선택", - "sets_the_options": "옵션을 설정합니다.", - "list_of_options": "옵션 목록", - "set_options": "옵션 설정", - "clear_skipped_update": "건너뛴 업데이트 지우기", - "install_update": "업데이트 설치", - "skip_description": "현재 사용 가능한 업데이트를 건너뛴 것으로 표시합니다.", - "skip_update": "업데이트 건너뛰기", - "set_default_level_description": "통합구성요소에 대한 기본 로그 수준을 설정합니다.", - "level_description": "모든 통합구성요소에 대한 기본 심각도 수준입니다.", - "set_default_level": "기본 레벨 설정", - "set_level": "레벨 설정", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "원격 연결", - "remote_disconnect": "원격 연결 해제", - "set_value_description": "숫자 값을 설정합니다.", - "value_description": "구성 매개변수의 값", - "value": "값", - "closes_a_cover": "커버 닫기", - "close_cover_tilt_description": "커버를 기울여 닫습니다.", - "close_tilt": "기울기 닫기", - "opens_a_cover": "커버 열기", - "tilts_a_cover_open": "커버를 기울여 엽니다.", - "open_tilt": "기울기 열기", - "set_cover_position_description": "커버를 특정 위치로 이동합니다.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "대상 기울기 위치", - "set_tilt_position": "기울기 위치 설정", - "stops_the_cover_movement": "커버 이동을 중지합니다.", - "stop_cover_tilt_description": "틸팅 커버의 움직임을 중지합니다.", - "stop_tilt": "기울기 중지", - "toggles_a_cover_open_closed": "커버 토글", - "toggle_cover_tilt_description": "커버 기울기 토글", - "toggle_tilt": "기울기 토글", - "toggles_the_helper_on_off": "도우미 토글", - "turns_off_the_helper": "도우미 끄기", - "turns_on_the_helper": "도우미 켜기", - "decrement_description": "현재 값을 1단계 감소시킵니다.", - "increment_description": "값을 1단계씩 증가시킵니다.", - "sets_the_value": "값을 설정합니다.", - "the_target_value": "대상 값", - "dump_log_objects": "덤프 로그 개체", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "예약된 이벤트 루프 기록", - "log_thread_frames_description": "모든 스레드의 현재 프레임을 기록합니다.", - "log_thread_frames": "스레드 프레임 기록", - "lru_stats_description": "모든 lru 캐시의 통계를 기록합니다.", - "log_lru_stats": "LRU 통계 기록", - "starts_the_memory_profiler": "메모리 프로파일러를 시작합니다.", - "memory": "메모리", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "프로파일러를 시작합니다.", - "max_objects_description": "기록할 최대 개체 수입니다.", - "maximum_objects": "최대 개체", - "scan_interval_description": "로깅 개체 사이의 시간(초)", - "scan_interval": "스캔 간격", - "start_logging_object_sources": "개체 소스 로깅 시작", - "start_log_objects_description": "메모리에 있는 개체의 증가를 로깅하기 시작합니다.", - "start_logging_objects": "개체 로깅 시작", - "stop_logging_object_sources": "개체 소스 로깅 중지", - "stop_log_objects_description": "메모리에 있는 개체의 증가를 로깅하는 것을 중지합니다.", - "stop_logging_objects": "개체 로깅 중지", - "process_description": "기록된 텍스트에서 대화를 시작합니다.", - "agent": "에이전트", - "conversation_id": "Conversation ID", - "transcribed_text_input": "전사된 텍스트 입력", - "process": "프로세스", - "reloads_the_intent_configuration": "의도 구성을 다시 로드합니다.", - "conversation_agent_to_reload": "대화 에이전트를 다시 로드합니다.", "apply_filter": "필터 적용", "days_to_keep": "보관 일수", "repack": "재포장", "domains_to_remove": "제거할 도메인", "entity_globs_to_remove": "제거할 패턴 일치 구성요소", "entities_to_remove": "Entities to remove", - "reload_resources_description": "YAML 구성에서 대시보드 리소스를 다시 로드합니다.", - "reload_themes_description": "YAML 구성에서 테마를 다시 로드합니다.", - "reload_themes": "테마 새로고침", - "name_of_a_theme": "테마 이름", - "set_the_default_theme": "기본 테마 설정", - "decrements_a_counter": "카운터를 감소시킵니다.", - "increments_a_counter": "카운터를 증가시킵니다.", - "resets_a_counter": "카운터를 초기화합니다.", - "sets_the_counter_value": "카운터 값을 설정합니다.", - "code_description": "잠금을 해제하는 데 사용되는 코드", - "alarm_arm_vacation_description": "알람을 _armed for vacation_으로 설정합니다.", - "disarms_the_alarm": "알람 해제", - "alarm_trigger_description": "외부 알람 트리거 활성화", - "get_weather_forecast": "날씨 예보를 가져옵니다.", - "type_description": "예보 유형: 매일, 매시 또는 매일 2회", - "forecast_type": "일기예보 유형", - "get_forecast": "예보 가져오기", - "get_weather_forecasts": "일기 예보를 받아보세요.", - "get_forecasts": "일기예보 보기", - "load_url_description": "Fully Kiosk Browser에서 URL을 로드합니다.", - "url_to_load": "로드할 URL", - "load_url": "URL 로드", - "configuration_parameter_to_set": "설정할 구성 매개변수", - "key": "키", - "set_configuration": "구성 설정", - "application_description": "시작할 애플리케이션의 패키지 이름", - "application": "애플리케이션", - "start_application": "애플리케이션 시작", + "purge_entities": "구성요소 제거", "decrease_speed_description": "팬의 속도를 낮춥니다.", "percentage_step_description": "속도를 백분율 단위로 높입니다.", "decrease_speed": "속도 감소", @@ -3059,35 +2897,258 @@ "speed_of_the_fan": "팬의 속도", "percentage": "백분율", "set_speed": "속도 설정", + "set_preset_mode": "프리셋 모드 설정", "toggles_the_fan_on_off": "팬 토글", "turns_fan_off": "팬 끄기", "turns_fan_on": "팬 켜기", - "locks_a_lock": "잠금을 잠급니다.", - "opens_a_lock": "잠금을 엽니다.", - "unlocks_a_lock": "잠금을 해제합니다.", - "press_the_button_entity": "버튼 구성요소 누르기", - "bridge_identifier": "브리지 식별자", - "configuration_payload": "구성 페이로드", - "entity_description": "deCONZ의 특정 디바이스 엔드포인트를 나타냅니다.", - "path": "경로", - "device_refresh_description": "deCONZ에서 사용 가능한 기기를 새로 고칩니다.", - "device_refresh": "기기 새로고침", - "remove_orphaned_entries": "분리된 항목 제거", + "apply_description": "구성으로 장면을 활성화합니다.", + "entities_description": "구성요소 및 해당 대상 상태 목록", + "transition": "Transition", + "apply": "적용", + "creates_a_new_scene": "새 장면 만들기", + "scene_id_description": "새 장면의 구성요소 ID", + "scene_entity_id": "장면 구성요소 ID", + "snapshot_entities": "스냅샷 구성요소", + "delete_description": "동적으로 생성된 장면을 삭제합니다.", + "activates_a_scene": "장면 활성화", + "selects_the_first_option": "첫 번째 옵션을 선택합니다.", + "selects_the_last_option": "마지막 옵션을 선택합니다.", + "select_the_next_option": "다음 옵션 선택", + "selects_an_option": "옵션을 선택합니다.", + "option_to_be_selected": "선택할 옵션", + "selects_the_previous_option": "이전 옵션을 선택합니다.", + "sets_the_options": "옵션을 설정합니다.", + "list_of_options": "옵션 목록", + "set_options": "옵션 설정", "closes_a_valve": "Closes a valve.", "opens_a_valve": "Opens a valve.", "set_valve_position_description": "Moves a valve to a specific position.", "stops_the_valve_movement": "Stops the valve movement.", "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Fully Kiosk Browser에서 URL을 로드합니다.", + "url_to_load": "로드할 URL", + "load_url": "URL 로드", + "configuration_parameter_to_set": "설정할 구성 매개변수", + "key": "키", + "set_configuration": "구성 설정", + "application_description": "시작할 애플리케이션의 패키지 이름", + "application": "애플리케이션", + "start_application": "애플리케이션 시작", + "command_description": "Google 어시스턴트로 보낼 명령어입니다.", + "media_player_entity": "미디어 플레이어 구성요소", + "send_text_command": "문자 명령 보내기", + "code_description": "잠금을 해제하는 데 사용되는 코드", + "alarm_arm_vacation_description": "알람을 _armed for vacation_으로 설정합니다.", + "disarms_the_alarm": "알람 해제", + "alarm_trigger_description": "외부 알람 트리거 활성화", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "주어진 URL에서 파일을 다운로드합니다.", + "sets_a_random_effect": "랜덤 효과 설정", + "sequence_description": "HSV 시퀀스 목록(최대 16개)", + "backgrounds": "배경", + "initial_brightness": "초기 밝기", + "brightness_range": "밝기 범위", + "fade_off": "페이드 오프", + "hue_range": "색조 범위", + "initial_hsv_sequence": "초기 HSV 시퀀스", + "initial_states": "초기 상태", + "random_seed": "랜덤 시드", + "saturation_range": "채도 범위", + "segments_description": "세그먼트 목록(모두 0)", + "segments": "세그먼트", + "transition_range": "전환 범위", + "random_effect": "랜덤 효과", + "sets_a_sequence_effect": "시퀀스 효과 설정", + "repetitions_for_continuous": "반복(연속의 경우 0)", + "sequence": "시퀀스", + "speed_of_spread": "확산 속도", + "spread": "확산", + "sequence_effect": "시퀀스 효과", + "press_the_button_entity": "버튼 구성요소 누르기", + "see_description": "추적된 디바이스를 기록합니다.", + "battery_description": "기기 배터리 잔량", + "gps_coordinates": "GPS 좌표", + "gps_accuracy_description": "GPS 좌표의 정확도", + "hostname_of_the_device": "기기의 호스트 이름", + "hostname": "호스트 이름", + "mac_description": "기기의 MAC 주소", + "mac_address": "MAC 주소", + "process_description": "기록된 텍스트에서 대화를 시작합니다.", + "agent": "에이전트", + "conversation_id": "Conversation ID", + "language_description": "음성 생성에 사용할 언어", + "transcribed_text_input": "전사된 텍스트 입력", + "process": "프로세스", + "reloads_the_intent_configuration": "의도 구성을 다시 로드합니다.", + "conversation_agent_to_reload": "대화 에이전트를 다시 로드합니다.", + "create_description": "**알림** 패널에 알림을 표시합니다.", + "message_description": "로그북 항목의 메시지", + "notification_id": "알림 ID", + "title_description": "Title for your notification message.", + "dismiss_description": "**알림** 패널에서 알림을 제거합니다.", + "notification_id_description": "제거할 알림의 ID", + "dismiss_all_description": "**알림** 패널에서 모든 알림을 제거합니다.", + "notify_description": "선택한 대상에 알림 메시지를 보냅니다.", + "data": "데이터", + "title_of_the_notification": "알림 제목", + "send_a_persistent_notification": "지속적인 알림 보내기", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "명령을 보낼 기기 ID", + "delete_command": "명령 삭제", + "alternative": "대안", + "command_type_description": "학습할 명령 유형", + "command_type": "명령 유형", + "timeout_description": "학습할 명령에 대한 시간 초과", + "learn_command": "명령 학습", + "delay_seconds": "지연 시간(초)", + "hold_seconds": "보류 시간(초)", + "send_command": "명령 보내기", + "toggles_a_device_on_off": "기기 토글", + "turns_the_device_off": "기기 끄기", + "turn_on_description": "전원 켜기 명령 보내기", + "stops_a_running_script": "실행 중인 스크립트를 중지합니다.", + "locks_a_lock": "잠금을 잠급니다.", + "opens_a_lock": "잠금을 엽니다.", + "unlocks_a_lock": "잠금을 해제합니다.", + "turns_auxiliary_heater_on_off": "보조 히터를 켜거나 끕니다.", + "aux_heat_description": "보조 히터의 새로운 값", + "auxiliary_heating": "보조 난방", + "turn_on_off_auxiliary_heater": "보조 히터 켜기/끄기", + "sets_fan_operation_mode": "팬 작동 모드를 설정합니다.", + "fan_operation_mode": "팬 작동 모드", + "set_fan_mode": "팬 모드 설정", + "set_target_humidity": "희망 습도 설정", + "sets_hvac_operation_mode": "HVAC 작동 모드 설정", + "hvac_operation_mode": "HVAC 작동 모드", + "set_hvac_mode": "HVAC 모드 설정", + "swing_operation_mode": "회전 작동 모드 설정", + "set_swing_mode": "회전 모드 설정", + "set_target_temperature": "희망 온도를 설정합니다.", + "target_temperature_low": "높은 희망 온도", + "low_target_temperature": "낮은 희망 온도", + "turns_climate_device_off": "공조 장치를 끕니다.", + "turns_climate_device_on": "공조 장치를 켭니다.", "calendar_id_description": "원하는 캘린더의 ID", "calendar_id": "캘린더 ID", "description_description": "이벤트에 대한 설명. 선택 사항", "summary_description": "이벤트의 제목 역할을 합니다.", "creates_event": "이벤트 생성", + "dashboard_path": "대시보드 경로", + "view_path": "경로 보기", + "show_dashboard_view": "대시보드 보기 표시", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "하나 이상의 조명을 끕니다.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "들을 토픽", + "topic": "토픽", + "export": "내보내기", + "publish_description": "MQTT 토픽에 메시지를 발행합니다.", + "the_payload_to_publish": "발행할 페이로드", + "payload": "페이로드", + "payload_template": "페이로드 템플릿", + "qos": "QoS", + "retain": "유지", + "topic_to_publish_to": "발행할 토픽", + "publish": "발행", + "selects_the_next_option": "다음 옵션을 선택합니다.", "ptz_move_description": "특정 속도로 카메라를 움직입니다.", "ptz_move_speed": "PTZ 이동 속도", "ptz_move": "PTZ 이동", + "log_description": "로그북에 사용자 지정 항목을 만듭니다.", + "entity_id_description": "메시지를 재생할 미디어 플레이어", + "toggles_a_switch_on_off": "스위치 토글", + "turns_a_switch_off": "스위치 끄기", + "turns_a_switch_on": "스위치 켜기", + "reload_themes_description": "YAML 구성에서 테마를 다시 로드합니다.", + "reload_themes": "테마 새로고침", + "name_of_a_theme": "테마 이름", + "set_the_default_theme": "기본 테마 설정", + "toggles_the_helper_on_off": "도우미 토글", + "turns_off_the_helper": "도우미 끄기", + "turns_on_the_helper": "도우미 켜기", + "decrements_a_counter": "카운터를 감소시킵니다.", + "increments_a_counter": "카운터를 증가시킵니다.", + "resets_a_counter": "카운터를 초기화합니다.", + "sets_the_counter_value": "카운터 값을 설정합니다.", + "remote_connect": "원격 연결", + "remote_disconnect": "원격 연결 해제", + "get_weather_forecast": "날씨 예보를 가져옵니다.", + "type_description": "예보 유형: 매일, 매시 또는 매일 2회", + "forecast_type": "일기예보 유형", + "get_forecast": "예보 가져오기", + "get_weather_forecasts": "일기 예보를 받아보세요.", + "get_forecasts": "일기예보 보기", + "disables_the_motion_detection": "움직임 감지를 비활성화합니다.", + "disable_motion_detection": "움직임 감지 비활성화", + "enables_the_motion_detection": "움직임 감지를 활성화합니다.", + "enable_motion_detection": "움직임 감지 활성화", + "format_description": "미디어 플레이어에서 지원하는 스트림 형식입니다.", + "format": "형식", + "media_player_description": "스트리밍할 미디어 플레이어", + "play_stream": "스트림 재생", + "filename": "파일 이름", + "lookback": "룩백", + "snapshot_description": "카메라에서 스냅샷을 찍습니다.", + "take_snapshot": "스냅샷 찍기", + "turns_off_the_camera": "카메라를 끕니다.", + "turns_on_the_camera": "카메라 켜기", + "clear_tts_cache": "TTS 캐시 지우기", + "cache": "캐시", + "options_description": "통합구성요소 관련 옵션이 포함된 사전입니다.", + "say_a_tts_message": "TTS 메시지 말하기", + "broadcast_address": "브로드캐스트 주소", + "broadcast_port_description": "매직 패킷을 보낼 포트", + "broadcast_port": "브로드캐스트 포트", + "send_magic_packet": "매직 패킷 보내기", "set_datetime_description": "날짜 및/또는 시간을 설정합니다.", "the_target_date": "목표 날짜", "datetime_description": "목표 날짜와 시간", - "the_target_time": "목표 시간" + "the_target_time": "목표 시간", + "bridge_identifier": "브리지 식별자", + "configuration_payload": "구성 페이로드", + "entity_description": "deCONZ의 특정 디바이스 엔드포인트를 나타냅니다.", + "path": "경로", + "device_refresh_description": "deCONZ에서 사용 가능한 기기를 새로 고칩니다.", + "device_refresh": "기기 새로고침", + "remove_orphaned_entries": "분리된 항목 제거", + "removes_a_group": "그룹을 제거합니다.", + "object_id": "오브젝트 ID", + "creates_updates_a_user_group": "사용자 그룹을 생성/업데이트합니다.", + "add_entities": "구성요소 추가", + "icon_description": "그룹 아이콘의 이름", + "name_of_the_group": "그룹의 이름", + "cancels_a_timer": "타이머 취소", + "changes_a_timer": "타이머 변경", + "finishes_a_timer": "타이머 종료", + "pauses_a_timer": "타이머 일시정지", + "starts_a_timer": "타이머 시작", + "duration_description": "타이머가 완료되는 데 필요한 시간입니다. [선택 과목]", + "set_default_level_description": "통합구성요소에 대한 기본 로그 수준을 설정합니다.", + "level_description": "모든 통합구성요소에 대한 기본 심각도 수준입니다.", + "set_default_level": "기본 레벨 설정", + "set_level": "레벨 설정", + "clear_skipped_update": "건너뛴 업데이트 지우기", + "install_update": "업데이트 설치", + "skip_description": "현재 사용 가능한 업데이트를 건너뛴 것으로 표시합니다.", + "skip_update": "업데이트 건너뛰기" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/lb/lb.json b/packages/core/src/hooks/useLocale/locales/lb/lb.json index f5aa814..e9a7fe6 100644 --- a/packages/core/src/hooks/useLocale/locales/lb/lb.json +++ b/packages/core/src/hooks/useLocale/locales/lb/lb.json @@ -1,7 +1,7 @@ { "energy": "Energy", "calendar": "Kalenner", - "settings": "Astellungen", + "settings": "Settings", "overview": "Iwwersiicht", "map": "Map", "logbook": "Logbook", @@ -107,7 +107,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Browse media", @@ -186,6 +186,7 @@ "loading": "Loading…", "refresh": "Aktualiséieren", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Kaart Replikéieren", "remove": "Remove", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -241,6 +245,7 @@ "date_and_time": "Datum an Zäit", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -279,6 +284,7 @@ "was_opened": "war opgemaach", "was_closed": "war zou", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "war net gespaart", "was_locked": "war gespaart", @@ -328,10 +334,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -341,7 +350,7 @@ "no_theme": "No theme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "Kee Benotzer", "add_user": "Benotzer erstellen", @@ -381,7 +390,6 @@ "ui_components_area_picker_add_dialog_text": "Gitt den numm vun neien Beräich un.", "ui_components_area_picker_add_dialog_title": "Neien Beräich dobäisetzen", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -459,6 +467,9 @@ "last_month": "Last month", "this_year": "This year", "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Never", "history_integration_disabled": "History integration disabled", "loading_state_history": "Lued Status Verlaaf", @@ -490,6 +501,10 @@ "filtering_by": "Filtering by", "number_hidden": "{number} hidden", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Gender", "male": "Male", @@ -617,7 +632,7 @@ "scripts": "Skripte", "scenes": "Zeene", "people": "Persoune", - "zones": "Zone", + "zone": "Zone", "input_booleans": "Agab Boolean frësch lueden", "input_texts": "Agab Text frësch lueden", "input_numbers": "Agab Zuelen frësch lueden", @@ -742,7 +757,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -825,7 +840,7 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Interrupts all running automations and scripts.", @@ -998,7 +1013,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "App Konfiguratioun", "sidebar_toggle": "Säite Kolonne ëmschalten", - "done": "Done", "hide_panel": "Hide panel", "show_panel": "Show panel", "show_more_information": "Show more information", @@ -1096,9 +1110,11 @@ "view_configuration": "Konfiguratioun kucken", "name_view_configuration": "{name} Konfiguratioun kucken", "add_view": "Vue dobäisetzen", + "background_title": "Add a background to the view", "edit_view": "Vue änneren", "move_view_left": "Usiicht no lenks réckelen", "move_view_right": "Usiicht no riets réckelen", + "background": "Background", "badges": "Badgen", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1107,8 +1123,8 @@ "sections_experimental": "Sections (experimental)", "subview": "Subview", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Mam Benotzer Inteface änneren", - "edit_in_yaml": "Als YAML änneren", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Saving failed", "card_configuration": "Kaart Konfiguratioun", "type_card_configuration": "{type} Kaart Konfiguratioun", @@ -1129,6 +1145,8 @@ "increase_card_position": "Increase card position", "more_options": "Méi Optiounen", "search_cards": "Kaart sichen", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Wéieng Kaart wëllt dir zu ärer {name}Usiicht dobäisetzen?", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Vue auswielen", @@ -1142,8 +1160,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "Mir hun eng Suggestioun fir dech erstallt", "pick_different_card": "Aner Kaart auswielen", "add_to_dashboard": "Zu Lovelace bäisetzen", @@ -1353,178 +1370,121 @@ "warning_entity_unavailable": "Entitéit ass fir de Moment net erreechbar: {entity}", "invalid_timestamp": "Ongëltege Zäitstempel", "invalid_display_format": "Ongëltege Display Format", + "now": "Now", "compare_data": "Compare data", "reload_ui": "Benotzer frësch lueden", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zon", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Ënnerhalung", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tag", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Klima", + "conversation": "Ënnerhalung", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Netzdeel Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Netzdeel Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Klima", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tag", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1545,14 +1505,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1568,34 +1563,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1605,6 +1652,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1662,23 +1712,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1692,6 +1745,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1700,6 +1754,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1707,79 +1762,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1801,77 +1864,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1883,15 +1880,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1914,62 +1969,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Standuert ass scho konfiguéiert.", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Ongëltegen API Schlëssel", - "api_key": "API Schlëssel", - "user_description": "Do you want to start setup?", - "account_is_already_configured": "Account is already configured", - "abort_already_in_progress": "Configuration flow is already in progress", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "user_description": "Soll den Ariichtungs Prozess gestart ginn?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", "failed_to_connect": "Feeler beim verbannen", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Ongëlteg Authentifikatioun", + "unexpected_error": "Onerwaarte Feeler", + "username": "Benotzernumm", + "host": "Host", + "port": "Port", + "account_is_already_configured": "Account is already configured", + "abort_already_in_progress": "Konfiguratioun's Oflaf ass schonn am gaang.", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", - "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "Keng Apparater am Netzwierk fonnt.", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Benotzernumm", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "service_is_already_configured": "Service ass scho konfiguréiert", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API Schlëssel", + "configure_daikin_ac": "Daikin AC konfiguréieren", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1985,38 +2059,41 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Ongëltege Numm oder IP Adresse.", - "device_not_supported": "Apparat net ënnerstëtzt.", - "name_model_at_host": "{name} ({model} um {host})", - "connect_to_the_device": "Mam Apparat verbannen", - "finish_title": "Numm auswielen fir den Apparat", - "unlock_the_device": "Apparat entspären", - "yes_do_it": "Jo, mach ët", - "unlock_the_device_optional": "Apparat entspären (optionell)", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "2-Faktor Code", - "two_factor_authentication": "2-Faktor-Authentifikatioun", - "sign_in_with_ring_account": "Mam Ring Kont verbannen", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "Keng Apparater am Netzwierk fonnt.", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Standuert ass scho konfiguéiert.", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Ongëltegen API Schlëssel", + "error_already_in_progress": "Configuration flow is already in progress", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "confirm_description": "Do you want to start setup?", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Ongëltege Numm oder IP Adresse.", + "device_not_supported": "Apparat net ënnerstëtzt.", + "name_model_at_host": "{name} ({model} um {host})", + "connect_to_the_device": "Mam Apparat verbannen", + "finish_title": "Numm auswielen fir den Apparat", + "unlock_the_device": "Apparat entspären", + "yes_do_it": "Jo, mach ët", + "unlock_the_device_optional": "Apparat entspären (optionell)", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2040,8 +2117,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2049,10 +2127,34 @@ "service_received": "Service received", "discovered_esphome_node": "Entdeckten ESPHome Provider", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meterologeschen Institut", + "two_factor_code": "2-Faktor Code", + "two_factor_authentication": "2-Faktor-Authentifikatioun", + "sign_in_with_ring_account": "Mam Ring Kont verbannen", + "bridge_is_already_configured": "Bridge ass schon konfiguréiert", + "no_deconz_bridges_discovered": "Keng dECONZ bridges fonnt", + "abort_no_hardware_available": "Keng Radio Hardware verbonne mat deCONZ", + "abort_updated_instance": "deCONZ Instanz gouf mat der neier Adress vum Apparat geännert", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Konnt keen API Schlëssel kréien", + "link_with_deconz": "Mat deCONZ verbannen", + "select_discovered_deconz_gateway": "Entdeckte deCONZ Gateway auswielen", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2065,82 +2167,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Numm gëtt et schonn", - "passive": "Passive", - "define_zone_parameters": "Définéier d'Zoneparameter", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Numm gëtt et schonn", + "passive": "Passive", + "define_zone_parameters": "Définéier d'Zoneparameter", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Daikin AC konfiguréieren", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge ass schon konfiguréiert", - "no_deconz_bridges_discovered": "Keng dECONZ bridges fonnt", - "abort_no_hardware_available": "Keng Radio Hardware verbonne mat deCONZ", - "abort_updated_instance": "deCONZ Instanz gouf mat der neier Adress vum Apparat geännert", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Konnt keen API Schlëssel kréien", - "link_with_deconz": "Mat deCONZ verbannen", - "select_discovered_deconz_gateway": "Entdeckte deCONZ Gateway auswielen", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meterologeschen Institut", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Test Server auswielen", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2223,6 +2293,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Gebuert Message aktivéieren", "birth_message_payload": "Birth message payload", @@ -2236,106 +2323,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Test Server auswielen", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "deCONZ Clip Sensoren erlaben", + "allow_deconz_light_groups": "deCONZ Luucht Gruppen erlaben", + "data_allow_new_devices": "Erlaabt automatesch dobäisetze vu neien Apparater", + "deconz_devices_description": "Visibilitéit vun deCONZ Apparater konfiguréieren", + "deconz_options": "deCONZ Optiounen", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "deCONZ Clip Sensoren erlaben", - "allow_deconz_light_groups": "deCONZ Luucht Gruppen erlaben", - "data_allow_new_devices": "Erlaabt automatesch dobäisetze vu neien Apparater", - "deconz_devices_description": "Visibilitéit vun deCONZ Apparater konfiguréieren", - "deconz_options": "deCONZ Optiounen", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} ass doheem", - "entity_name_is_not_home": "{entity_name} ass net doheem", - "entity_name_enters_a_zone": "{entity_name} kënnt an eng Zone", - "entity_name_leaves_a_zone": "{entity_name} verléisst eng Zone", - "action_type_set_hvac_mode": "HVAC Modus ännere fir {entity_name}", - "change_preset_on_entity_name": "Preset ännere fir {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} gemoosse Fiichtegkeet geännert", - "entity_name_measured_temperature_changed": "{entity_name} gemoossen Temperatur geännert", - "entity_name_hvac_mode_changed": "{entity_name} HVAC Modus geännert", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} waart", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} spillt", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Éischte Knäppchen", "second_button": "Zweete Knäppchen", "third_button": "Drëtte Knäppchen", "fourth_button": "Véierte Knäppchen", - "fifth_button": "Fënnefte Knäppchen", - "sixth_button": "Sechste Knäppchen", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" no laangem unhalen lassgelooss", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "{entity_name} Hellegkeet reduzéieren", - "increase_entity_name_brightness": "{entity_name} Hellegkeet erhéijen", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2343,8 +2361,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "{entity_name} zoumaachen", "close_entity_name_tilt": "{entity_name} Kipp zoumaachen", "open_entity_name": "{entity_name} opmaachen", @@ -2364,7 +2384,116 @@ "entity_name_opening": "{entity_name} mecht op", "entity_name_position_changes": "{entity_name} positioun ännert", "entity_name_tilt_position_changes": "{entity_name} kipp positioun geännert", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} Batterie ass niddereg", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} ass kal", + "entity_name_connected": "{entity_name} ass verbonnen", + "entity_name_is_detecting_gas": "{entity_name} entdeckt Gas", + "entity_name_is_hot": "{entity_name} ass waarm", + "entity_name_is_detecting_light": "{entity_name} entdeckt Luucht", + "entity_name_is_locked": "{entity_name} ass gespaart", + "entity_name_is_moist": "{entity_name} ass fiicht", + "entity_name_is_detecting_motion": "{entity_name} entdeckt Beweegung", + "entity_name_is_moving": "{entity_name} beweegt sech", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} entdeckt kee Gas", + "condition_type_is_no_light": "{entity_name} entdeckt keng Luucht", + "condition_type_is_no_motion": "{entity_name} entdeckt keng Beweegung", + "condition_type_is_no_problem": "{entity_name} entdeckt keng Problemer", + "condition_type_is_no_smoke": "{entity_name} entdeckt keen Damp", + "condition_type_is_no_sound": "{entity_name} entdeckt keen Toun", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} entdeckt keng Vibratiounen", + "entity_name_battery_is_normal": "{entity_name} Batterie ass normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} ass net kal", + "entity_name_is_disconnected": "{entity_name} ass déconnectéiert", + "entity_name_is_not_hot": "{entity_name} ass net waarm", + "entity_name_is_unlocked": "{entity_name} ass entspaart", + "entity_name_is_dry": "{entity_name} ass dréchen", + "entity_name_is_not_moving": "{entity_name} beweegt sech net", + "entity_name_is_not_occupied": "{entity_name} ass fräi", + "entity_name_is_unplugged": "{entity_name} ass net ugeschloss", + "entity_name_is_not_powered": "{entity_name} ass net alimentéiert", + "entity_name_is_not_present": "{entity_name} ass net präsent", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} ass sécher", + "entity_name_is_occupied": "{entity_name} ass besat", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} ass ugeschloss", + "entity_name_is_powered": "{entity_name} ass alimentéiert", + "entity_name_is_present": "{entity_name} ass präsent", + "entity_name_is_detecting_problem": "{entity_name} entdeckt Problemer", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} entdeckt Damp", + "entity_name_is_detecting_sound": "{entity_name} entdeckt Toun", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} ass onsécher", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} entdeckt Vibratiounen", + "entity_name_battery_low": "{entity_name} Batterie niddereg", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} gouf kal", + "entity_name_started_detecting_gas": "{entity_name} huet ugefaangen Gas z'entdecken", + "entity_name_became_hot": "{entity_name} gouf waarm", + "entity_name_started_detecting_light": "{entity_name} huet ugefange Luucht z'entdecken", + "entity_name_locked": "{entity_name} gespaart", + "entity_name_became_moist": "{entity_name} gouf fiicht", + "entity_name_started_detecting_motion": "{entity_name} huet ugefaange Beweegung z'entdecken", + "entity_name_started_moving": "{entity_name} huet ugefaangen sech ze beweegen", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} huet opgehale Gas z'entdecken", + "entity_name_stopped_detecting_light": "{entity_name} huet opgehale Luucht z'entdecken", + "entity_name_stopped_detecting_motion": "{entity_name} huet opgehale Beweegung z'entdecken", + "entity_name_stopped_detecting_problem": "{entity_name} huet opgehale Problemer z'entdecken", + "entity_name_stopped_detecting_smoke": "{entity_name} huet opgehale Damp z'entdecken", + "entity_name_stopped_detecting_sound": "{entity_name} huet opgehale Toun z'entdecken", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} huet opgehale Vibratiounen z'entdecken", + "entity_name_battery_normal": "{entity_name} Batterie normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} gouf net kal", + "entity_name_disconnected": "{entity_name} déconnectéiert", + "entity_name_became_not_hot": "{entity_name} gouf net waarm", + "entity_name_unlocked": "{entity_name} entspaart", + "entity_name_became_dry": "{entity_name} gouf dréchen", + "entity_name_stopped_moving": "{entity_name} huet opgehale sech ze beweegen", + "entity_name_became_not_occupied": "{entity_name} gouf fräi", + "entity_name_unplugged": "{entity_name} net ugeschloss", + "entity_name_not_powered": "{entity_name} net alimentéiert", + "entity_name_not_present": "{entity_name} net präsent", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} gouf sécher", + "entity_name_became_occupied": "{entity_name} gouf besat", + "entity_name_plugged_in": "{entity_name} ugeschloss", + "entity_name_powered": "{entity_name} alimentéiert", + "entity_name_present": "{entity_name} präsent", + "entity_name_started_detecting_problem": "{entity_name} huet ugefaange Problemer z'entdecken", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} huet ugefaangen Damp z'entdecken", + "entity_name_started_detecting_sound": "{entity_name} huet ugefaangen Toun z'entdecken", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} gouf onsécher", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} huet ugefaange Vibratiounen z'entdecken", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} waart", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} spillt", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "{entity_name} fir ënnerwee uschalten", "arm_entity_name_home": "{entity_name} fir doheem uschalten", "arm_entity_name_night": "{entity_name} fir Nuecht uschalten", @@ -2383,12 +2512,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} entschärft", "entity_name_triggered": "{entity_name} ausgeléist", + "entity_name_is_home": "{entity_name} ass doheem", + "entity_name_is_not_home": "{entity_name} ass net doheem", + "entity_name_enters_a_zone": "{entity_name} kënnt an eng Zone", + "entity_name_leaves_a_zone": "{entity_name} verléisst eng Zone", + "lock_entity_name": "{entity_name} spären", + "unlock_entity_name": "{entity_name} entspären", + "action_type_set_hvac_mode": "HVAC Modus ännere fir {entity_name}", + "change_preset_on_entity_name": "Preset ännere fir {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} gemoosse Fiichtegkeet geännert", + "entity_name_measured_temperature_changed": "{entity_name} gemoossen Temperatur geännert", + "entity_name_hvac_mode_changed": "{entity_name} HVAC Modus geännert", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Aktuell {entity_name} Batterie niveau", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Aktuell {entity_name} Stroum", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2433,6 +2576,7 @@ "entity_name_battery_level_changes": "{entity_name} Batterie niveau ännert", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} Stroum ännert", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2471,136 +2615,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "{entity_name} Hellegkeet reduzéieren", + "increase_entity_name_brightness": "{entity_name} Hellegkeet erhéijen", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fënnefte Knäppchen", + "sixth_button": "Sechste Knäppchen", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" no laangem unhalen lassgelooss", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Béid Knäppchen", + "bottom_buttons": "Ënnescht Knäppchen", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Verdäischteren", + "dim_up": "Erhellen", + "left": "Lénks", + "right": "Riets", + "side": "Säit 6", + "top_buttons": "Iewescht Knäppchen", + "device_awakened": "Apparat erwächt", + "trigger_type_remote_button_long_release": "\"{subtype}\" released after long press", + "button_rotated_subtype": "Knäppche gedréint \"{subtype}\"", + "button_rotated_fast_subtype": "Knäppche schnell gedréint \"{subtype}\"", + "button_rotation_subtype_stopped": "Knäppchen Rotatioun \"{subtype}\" gestoppt", + "device_subtype_double_tapped": "Apparat \"{subtype}\" zwee mol gedréckt", + "trigger_type_remote_double_tap_any_side": "Apparat gouf 2 mol ugetippt op enger Säit", + "device_in_free_fall": "Apparat am fräie Fall", + "device_flipped_degrees": "Apparat ëm 90 Grad gedréint", + "device_shaken": "Apparat gerëselt", + "trigger_type_remote_moved": "Apparat beweegt mat \"{subtype}\" erop", + "trigger_type_remote_moved_any_side": "Apparat gouf mat enger Säit bewegt", + "trigger_type_remote_rotate_from_side": "Apparat rotéiert vun der \"Säit\" 6 op \"{subtype}\"", + "device_turned_clockwise": "Apparat mam Auere Wee gedréint", + "device_turned_counter_clockwise": "Apparat géint den Auere Wee gedréint", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} Batterie ass niddereg", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} ass kal", - "entity_name_connected": "{entity_name} ass verbonnen", - "entity_name_is_detecting_gas": "{entity_name} entdeckt Gas", - "entity_name_is_hot": "{entity_name} ass waarm", - "entity_name_is_detecting_light": "{entity_name} entdeckt Luucht", - "entity_name_is_locked": "{entity_name} ass gespaart", - "entity_name_is_moist": "{entity_name} ass fiicht", - "entity_name_is_detecting_motion": "{entity_name} entdeckt Beweegung", - "entity_name_is_moving": "{entity_name} beweegt sech", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} entdeckt kee Gas", - "condition_type_is_no_light": "{entity_name} entdeckt keng Luucht", - "condition_type_is_no_motion": "{entity_name} entdeckt keng Beweegung", - "condition_type_is_no_problem": "{entity_name} entdeckt keng Problemer", - "condition_type_is_no_smoke": "{entity_name} entdeckt keen Damp", - "condition_type_is_no_sound": "{entity_name} entdeckt keen Toun", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} entdeckt keng Vibratiounen", - "entity_name_battery_is_normal": "{entity_name} Batterie ass normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} ass net kal", - "entity_name_is_disconnected": "{entity_name} ass déconnectéiert", - "entity_name_is_not_hot": "{entity_name} ass net waarm", - "entity_name_is_unlocked": "{entity_name} ass entspaart", - "entity_name_is_dry": "{entity_name} ass dréchen", - "entity_name_is_not_moving": "{entity_name} beweegt sech net", - "entity_name_is_not_occupied": "{entity_name} ass fräi", - "entity_name_is_unplugged": "{entity_name} ass net ugeschloss", - "entity_name_is_not_powered": "{entity_name} ass net alimentéiert", - "entity_name_is_not_present": "{entity_name} ass net präsent", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} ass sécher", - "entity_name_is_occupied": "{entity_name} ass besat", - "entity_name_is_plugged_in": "{entity_name} ass ugeschloss", - "entity_name_is_powered": "{entity_name} ass alimentéiert", - "entity_name_is_present": "{entity_name} ass präsent", - "entity_name_is_detecting_problem": "{entity_name} entdeckt Problemer", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} entdeckt Damp", - "entity_name_is_detecting_sound": "{entity_name} entdeckt Toun", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} ass onsécher", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} entdeckt Vibratiounen", - "entity_name_battery_low": "{entity_name} Batterie niddereg", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} gouf kal", - "entity_name_started_detecting_gas": "{entity_name} huet ugefaangen Gas z'entdecken", - "entity_name_became_hot": "{entity_name} gouf waarm", - "entity_name_started_detecting_light": "{entity_name} huet ugefange Luucht z'entdecken", - "entity_name_locked": "{entity_name} gespaart", - "entity_name_became_moist": "{entity_name} gouf fiicht", - "entity_name_started_detecting_motion": "{entity_name} huet ugefaange Beweegung z'entdecken", - "entity_name_started_moving": "{entity_name} huet ugefaangen sech ze beweegen", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} huet opgehale Gas z'entdecken", - "entity_name_stopped_detecting_light": "{entity_name} huet opgehale Luucht z'entdecken", - "entity_name_stopped_detecting_motion": "{entity_name} huet opgehale Beweegung z'entdecken", - "entity_name_stopped_detecting_problem": "{entity_name} huet opgehale Problemer z'entdecken", - "entity_name_stopped_detecting_smoke": "{entity_name} huet opgehale Damp z'entdecken", - "entity_name_stopped_detecting_sound": "{entity_name} huet opgehale Toun z'entdecken", - "entity_name_stopped_detecting_vibration": "{entity_name} huet opgehale Vibratiounen z'entdecken", - "entity_name_battery_normal": "{entity_name} Batterie normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} gouf net kal", - "entity_name_disconnected": "{entity_name} déconnectéiert", - "entity_name_became_not_hot": "{entity_name} gouf net waarm", - "entity_name_unlocked": "{entity_name} entspaart", - "entity_name_became_dry": "{entity_name} gouf dréchen", - "entity_name_stopped_moving": "{entity_name} huet opgehale sech ze beweegen", - "entity_name_became_not_occupied": "{entity_name} gouf fräi", - "entity_name_unplugged": "{entity_name} net ugeschloss", - "entity_name_not_powered": "{entity_name} net alimentéiert", - "entity_name_not_present": "{entity_name} net präsent", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} gouf sécher", - "entity_name_became_occupied": "{entity_name} gouf besat", - "entity_name_plugged_in": "{entity_name} ugeschloss", - "entity_name_powered": "{entity_name} alimentéiert", - "entity_name_present": "{entity_name} präsent", - "entity_name_started_detecting_problem": "{entity_name} huet ugefaange Problemer z'entdecken", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} huet ugefaangen Damp z'entdecken", - "entity_name_started_detecting_sound": "{entity_name} huet ugefaangen Toun z'entdecken", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} gouf onsécher", - "entity_name_started_detecting_vibration": "{entity_name} huet ugefaange Vibratiounen z'entdecken", - "both_buttons": "Béid Knäppchen", - "bottom_buttons": "Ënnescht Knäppchen", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Verdäischteren", - "dim_up": "Erhellen", - "left": "Lénks", - "right": "Riets", - "side": "Säit 6", - "top_buttons": "Iewescht Knäppchen", - "device_awakened": "Apparat erwächt", - "trigger_type_remote_button_long_release": "\"{subtype}\" released after long press", - "button_rotated_subtype": "Knäppche gedréint \"{subtype}\"", - "button_rotated_fast_subtype": "Knäppche schnell gedréint \"{subtype}\"", - "button_rotation_subtype_stopped": "Knäppchen Rotatioun \"{subtype}\" gestoppt", - "device_subtype_double_tapped": "Apparat \"{subtype}\" zwee mol gedréckt", - "trigger_type_remote_double_tap_any_side": "Apparat gouf 2 mol ugetippt op enger Säit", - "device_in_free_fall": "Apparat am fräie Fall", - "device_flipped_degrees": "Apparat ëm 90 Grad gedréint", - "device_shaken": "Apparat gerëselt", - "trigger_type_remote_moved": "Apparat beweegt mat \"{subtype}\" erop", - "trigger_type_remote_moved_any_side": "Apparat gouf mat enger Säit bewegt", - "trigger_type_remote_rotate_from_side": "Apparat rotéiert vun der \"Säit\" 6 op \"{subtype}\"", - "device_turned_clockwise": "Apparat mam Auere Wee gedréint", - "device_turned_counter_clockwise": "Apparat géint den Auere Wee gedréint", - "lock_entity_name": "{entity_name} spären", - "unlock_entity_name": "{entity_name} entspären", - "critical": "Critical", - "debug": "Debug", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2731,16 +2809,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2775,122 +2948,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2898,6 +3013,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2909,10 +3140,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2924,75 +3152,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3000,187 +3178,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3189,23 +3254,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/lt/lt.json b/packages/core/src/hooks/useLocale/locales/lt/lt.json index fbd1397..0b6306d 100644 --- a/packages/core/src/hooks/useLocale/locales/lt/lt.json +++ b/packages/core/src/hooks/useLocale/locales/lt/lt.json @@ -106,6 +106,7 @@ "open": "Atidaryta", "open_door": "Atidarytos durys", "really_open": "Tikrai atviras?", + "done": "Atlikta", "source": "Šaltinis", "sound_mode": "Garso režimas", "play_media": "Leisti mediją", @@ -134,7 +135,7 @@ "cancel_all": "Atšaukti viską", "idle": "Laukiama", "run_script": "Vykdykite scenarijų", - "option": "Variantas", + "option": "Parinktis", "installing": "Įdiegiama", "installing_progress": "Diegiama ( {progress} %)", "up_to_date": "Naujausia", @@ -184,6 +185,7 @@ "loading": "Įkeliama…", "update": "Atnaujinti", "delete": "Ištrinti", + "delete_all": "Ištrinti viską", "download": "Atsisiųsti", "duplicate": "Kopija", "remove": "Pašalinti", @@ -224,6 +226,9 @@ "media_content_type": "Medijos turinio tipas", "upload_failed": "Įkelti nepavyko", "unknown_file": "Nežinomas failas", + "select_image": "Pasirinkite paveikslėlį", + "upload_picture": "Įkelti paveikslėlį", + "image_url": "Vietinis kelias arba žiniatinklio URL", "latitude": "Platuma", "longitude": "Ilguma", "radius": "Spindulys", @@ -275,6 +280,7 @@ "was_opened": "buvo atidarytas", "was_closed": "buvo uždarytas", "is_opening": "atidaroma", + "is_opened": "yra atidarytas", "is_closing": "uždaroma", "was_unlocked": "buvo atrakinta", "was_locked": "buvo užrakinta", @@ -324,10 +330,13 @@ "sort_by_sortcolumn": "Rūšiuoti pagal {sortColumn}", "group_by_groupcolumn": "Grupuoti pagal {groupColumn}", "don_t_group": "Negrupuokite", + "collapse_all": "Sutraukti viską", + "expand_all": "Išplėsti viską", "selected_selected": "Pasirinkta {selected}", "close_selection_mode": "Uždaryti pasirinkimo režimą", "select_all": "Pasirinkti viską", "select_none": "Nepasirinkite nė vieno", + "customize_table": "Tinkinti lentelę", "conversation_agent": "Pokalbių agentas", "none": "Joks", "country": "Šalis", @@ -454,6 +463,9 @@ "last_month": "Praėjusį mėnesį", "this_year": "Šiais metais", "last_year": "Praėjusiais metais", + "reset_to_default_size": "Iš naujo nustatyti numatytąjį dydį", + "number_of_columns": "Stulpelių skaičius", + "number_of_rows": "Eilučių skaičius", "never": "Niekada", "history_integration_disabled": "Istorijos integracija išjungta", "loading_state_history": "Įkeliama būsenos retrospektyva…", @@ -484,6 +496,10 @@ "filtering_by": "Filtravimas pagal", "number_hidden": "{number} paslėpta", "ungrouped": "Nesugrupuota", + "customize": "Pritaikyti", + "hide_column_title": "Slėpti stulpelį {title}", + "show_column_title": "Rodyti stulpelį {title}", + "restore_defaults": "Atkurti numatytuosius nustatymus", "message": "Pranešimas", "gender": "Lytis", "male": "Vyras", @@ -808,9 +824,9 @@ "unsupported": "Nepalaikoma", "more_info_about_entity": "Daugiau informacijos apie subjektą", "restart_home_assistant": "Perkrauti Home Assistant?", - "advanced_options": "Advanced options", + "advanced_options": "Išplėstiniai nustatymai", "quick_reload": "Greitas perkrovimas", - "reload_description": "Iš naujo įkelia pagalbininkus iš YAML konfigūracijos.", + "reload_description": "Iš naujo įkelia zonas iš YAML konfigūracijos.", "reloading_configuration": "Iš naujo įkeliama konfigūracija", "failed_to_reload_configuration": "Nepavyko iš naujo įkelti konfigūracijos", "restart_description": "Pertraukia visas veikiančias automatines programas ir scenarijus.", @@ -985,7 +1001,6 @@ "notification_toast_no_matching_link_found": "Nerasta jokios nuorodos į {path}", "app_configuration": "Programos konfigūracija", "sidebar_toggle": "Šoninės juostos perjungiklis", - "done": "Atlikta", "hide_panel": "Slėpti skydelį", "show_panel": "Rodyti skydelį", "show_more_information": "Rodyti daugiau informacijos", @@ -1077,13 +1092,15 @@ "raw_editor_error_save_yaml": "Neįmanoma įrašyti YAML: {error}", "raw_editor_error_remove": "Nepavyksta pašalinti konfigūracijos: {error}", "title_of_your_dashboard": "Prietaisų skydelio pavadinimas", - "edit_name": "Redaguoti pavadinimą", + "edit_title": "Redaguoti pavadinimą", "view_configuration": "Peržiūrėti konfigūraciją", "name_view_configuration": "Peržiūrėti {name} konfigūracija", "add_view": "Pridėti rodinį", + "background_title": "Pridėkite foną prie vaizdo", "edit_view": "Redaguoti rodinį", "move_view_left": "Perkelti rodinį į kairę", "move_view_right": "Perkelti rodinį į dešinę", + "background": "Fonas", "badges": "Ženkliukai", "view_type": "Peržiūros tipas", "masonry_default": "Masonry (numatytasis)", @@ -1092,8 +1109,8 @@ "sections_experimental": "Skyriai (eksperimentinis)", "subview": "Papildoma peržiūra", "max_number_of_columns": "Maksimalus stulpelių skaičius", - "edit_in_visual_editor": "Redaguoti naudojant naudotojo sąsają", - "edit_in_yaml": "Redaguoti kaip YAML", + "edit_in_visual_editor": "Redaguoti vaizdiniame redaktoriuje", + "edit_in_yaml": "Redaguoti YAML", "saving_failed": "Išsaugoti nepavyko", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Negalite pakeisti savo rodinio į kitą tipą, nes perkėlimas dar nepalaikomas. Jei norite naudoti kitą rodinio tipą, pradėkite nuo nulio su nauju rodiniu.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Negalite pakeisti rodinio, kad būtų naudojamas rodinio tipas „skyriai“, nes perkėlimas dar nepalaikomas. Jei norite eksperimentuoti su „skyrių“ rodiniu, pradėkite nuo nulio.", @@ -1115,6 +1132,8 @@ "increase_card_position": "Padidinkite kortelės padėtį", "more_options": "Daugiau pasirinkimų", "search_cards": "Paieškos kortelės", + "config": "Konfigūracija", + "layout": "Išdėstymas", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Kurią kortelę norėtumėte pridėti prie savo {name} rodinio?", "move_card_error_title": "Pasirinkite vaizdą, į kurį norite perkelti kortelę", "choose_a_view": "Pasirinkite vaizdą", @@ -1133,7 +1152,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} ir visos jos kortelės bus ištrintos.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} bus ištrinta.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Šis skyrius", - "add_name": "Pridėti vardą", + "edit_section": "Redaguoti skyrių", "suggest_card_header": "Sukūrėme jums skirtą pasiūlymą", "pick_different_card": "Pasirinkite kitą kortelę", "add_to_dashboard": "Pridėti į Lovelace UI", @@ -1337,182 +1356,128 @@ "off": "Išjungta", "ui_panel_lovelace_editor_color_picker_colors_light_blue": "Šviesiai mėlyna", "ui_panel_lovelace_editor_color_picker_colors_white": "Baltas", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Pridėti vardą", "warning_attribute_not_found": "Atributas {attribute} neprieinamas: {entity}", "entity_not_available_entity": "Subjektas nepasiekiamas: {entity}", "entity_is_non_numeric_entity": "Subjektas nėra skaitinis: {entity}", "warning_entity_unavailable": "Šiuo metu subjektas yra nepasiekiamas: {entity}", "invalid_timestamp": "Netinkama laiko žyma", "invalid_display_format": "Netinkamas rodymo formatas", + "now": "Dabar", "compare_data": "Palyginti duomenis", "reload_ui": "Perkrauti naudotojo sąsają", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Jungiklis", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grupė", - "timer": "Laikmatis", - "zone": "Zona", - "schedule": "Tvarkaraštis", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Viršelis", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Įvesties loginė vertė", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Pokalbis", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Viršelis", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Įvesties mygtukas", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Signalizacijos valdymo pultas", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventiliatorius", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Įrenginio sekimo priemonė", + "trace": "Trace", + "stream": "Stream", + "person": "Asmuo", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Įvesties loginė vertė", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Įveskite datą ir laiką", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Žyma", + "diagnostics": "Diagnostika", + "siren": "Sirena", + "fitbit": "Fitbit", + "automation": "Automatizavimas", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Vožtuvas", + "assist_pipeline": "Assist vamzdynas", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Skriptas", - "speedtest_net": "Speedtest.net", - "scene": "Scene", + "conversation": "Pokalbis", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Failo dydis", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Nuolatinis pranešimas", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Programos kredencialai", - "local_calendar": "Vietinis kalendorius", - "trace": "Trace", - "input_number": "Įveskite numerį", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Įveskite tekstą", - "rpi_power_title": "Raspberry Pi maitinimo šaltinio tikrintuvas", - "weather": "Orai", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grupė", + "auth": "Auth", + "thread": "Thread", + "zone": "Zona", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Tvarkaraštis", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Nuolatinis pranešimas", + "remote": "Nuotolinis", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi maitinimo šaltinio tikrintuvas", + "script": "Skriptas", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Jungiklis", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Įrenginio sekimo priemonė", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Orai", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Nuotolinis", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Įveskite numerį", + "binary_sensor": "Dvejetainis jutiklis", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventiliatorius", + "scene": "Scene", + "input_select": "Įvesties pasirinkimas", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Įvykis", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Įvykis", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Skaitiklis", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Programėlė mobiliesiems", - "diagnostics": "Diagnostika", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Asmuo", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Žyma", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirena", - "input_select": "Įvesties pasirinkimas", + "deconz": "deCONZ", + "timer": "Laikmatis", + "application_credentials": "Programos kredencialai", "logger": "Registratorius", - "assist_pipeline": "Assist vamzdynas", - "automation": "Automatizavimas", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Įvesties mygtukas", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Skaitiklis", - "binary_sensor": "Dvejetainis jutiklis", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Vožtuvas", - "os_agent_version": "OS agento versija", - "apparmor_version": "Apparmor versija", - "cpu_percent": "Procesoriaus procentas", - "disk_free": "Laisvas diskas", - "disk_total": "Bendras disko kiekis", - "disk_used": "Naudojamas diskas", - "memory_percent": "Atminties procentas", - "version": "Versija", - "newest_version": "Naujausia versija", + "local_calendar": "Vietinis kalendorius", "synchronize_devices": "Sinchronizuoti įrenginius", - "device_name_current": "{device_name} dabartinis", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} dabartinis suvartojimas", - "today_s_consumption": "Šiandieninis vartojimas", - "device_name_today_s_consumption": "{device_name} šiandienos suvartojimas", - "total_consumption": "Bendras suvartojimas", - "device_name_total_consumption": "{device_name} bendras suvartojimas", - "device_name_voltage": "{device_name} įtampa", - "led": "LED", - "bytes_received": "Gauti baitai", - "server_country": "Serverio šalis", - "server_id": "Serverio ID", - "server_name": "Serverio pavadinimas", - "ping": "Ping", - "upload": "Įkelti", - "bytes_sent": "Išsiųsti baitai", - "air_quality_index": "Oro kokybės indeksas", - "illuminance": "Apšvietimas", - "noise": "Triukšmas", - "overload": "Perkrova", - "voltage": "Įtampa", - "estimated_distance": "Numatomas atstumas", - "vendor": "Pardavėjas", - "assist_in_progress": "Pagalba vykstant", - "auto_gain": "Automatinis padidėjimas", - "mic_volume": "Mikrofono garsumas", - "noise_suppression": "Triukšmo slopinimas", - "noise_suppression_level": "Triukšmo slopinimo lygis", - "preferred": "Pageidautina", - "mute": "Nutildyti", - "satellite_enabled": "Palydovas įjungtas", - "ding": "Ding", - "doorbell_volume": "Durų skambučio garsumas", - "last_activity": "Paskutinė veikla", - "last_ding": "Paskutinis skambutis", - "last_motion": "Paskutinis judesys", - "voice_volume": "Balso garsumas", - "volume": "Garsumas", - "wi_fi_signal_category": "Wi-Fi signalo kategorija", - "wi_fi_signal_strength": "Wi-Fi signalo stiprumas", - "battery_level": "Baterijos lygis", - "size": "Dydis", - "size_in_bytes": "Dydis baitais", - "finished_speaking_detection": "Baigtas kalbėjimo aptikimas", - "aggressive": "Agresyvus", - "default": "Numatytas", - "relaxed": "Atsipalaidavęs", - "call_active": "Skambutis Aktyvus", - "quiet": "Tyliai", + "last_scanned_by_device_id_name": "Paskutinį kartą nuskaityta pagal įrenginio ID", + "tag_id": "Žymos ID", "heavy": "Sunkus", "mild": "Švelnus", "button_down": "Mygtukas žemyn", @@ -1531,16 +1496,51 @@ "closed": "Uždaryta", "closing": "Uždaroma", "failure": "Nesėkmė", - "device_admin": "Įrenginio administratorius", - "kiosk_mode": "Kiosko režimas", - "plugged_in": "Prijungtas", - "load_start_url": "Įkelti pradžios URL", - "restart_browser": "Iš naujo paleiskite naršyklę", - "restart_device": "Iš naujo paleiskite įrenginį", - "send_to_background": "Siųsti į foną", - "bring_to_foreground": "Iškelti į pirmą planą", - "screen_brightness": "Ekrano ryškumas", - "screen_off_timer": "Ekrano išjungimo laikmatis", + "battery_level": "Baterijos lygis", + "os_agent_version": "OS agento versija", + "apparmor_version": "Apparmor versija", + "cpu_percent": "Procesoriaus procentas", + "disk_free": "Laisvas diskas", + "disk_total": "Bendras disko kiekis", + "disk_used": "Naudojamas diskas", + "memory_percent": "Atminties procentas", + "version": "Versija", + "newest_version": "Naujausia versija", + "next_dawn": "Kita aušra", + "next_dusk": "Kitas saulėlydis", + "next_midnight": "Kitas vidurnaktis", + "next_noon": "Kitas vidurdienis", + "next_rising": "Kitas kilimas", + "next_setting": "Kitas nustatymas", + "solar_azimuth": "Saulės azimutas", + "solar_elevation": "Saulės aukštis", + "solar_rising": "Saulės kilimas", + "compressor_energy_consumption": "Kompresoriaus energijos suvartojimas", + "compressor_estimated_power_consumption": "Apskaičiuotas kompresoriaus energijos suvartojimas", + "compressor_frequency": "Kompresoriaus dažnis", + "cool_energy_consumption": "Šaltos energijos sąnaudos", + "energy_consumption": "Energijos suvartojimas", + "heat_energy_consumption": "Šilumos energijos suvartojimas", + "inside_temperature": "Vidaus temperatūra", + "outside_temperature": "Lauko temperatūra", + "assist_in_progress": "Pagalba vykstant", + "preferred": "Pageidautina", + "finished_speaking_detection": "Baigtas kalbėjimo aptikimas", + "aggressive": "Agresyvus", + "default": "Numatytas", + "relaxed": "Atsipalaidavęs", + "device_admin": "Įrenginio administratorius", + "kiosk_mode": "Kiosko režimas", + "plugged_in": "Prijungtas", + "load_start_url": "Įkelti pradžios URL", + "restart_browser": "Iš naujo paleiskite naršyklę", + "restart_device": "Iš naujo paleiskite įrenginį", + "send_to_background": "Siųsti į foną", + "bring_to_foreground": "Iškelti į pirmą planą", + "screenshot": "Ekrano kopija", + "overlay_message": "Perdangos pranešimas", + "screen_brightness": "Ekrano ryškumas", + "screen_off_timer": "Ekrano išjungimo laikmatis", "screensaver_brightness": "Ekrano užsklandos ryškumas", "screensaver_timer": "Ekrano užsklandos laikmatis", "current_page": "Dabartinis puslapis", @@ -1554,34 +1554,83 @@ "maintenance_mode": "Priežiūros režimas", "motion_detection": "Judesio aptikimas", "screensaver": "Ekrano užsklanda", - "compressor_energy_consumption": "Kompresoriaus energijos suvartojimas", - "compressor_estimated_power_consumption": "Apskaičiuotas kompresoriaus energijos suvartojimas", - "compressor_frequency": "Kompresoriaus dažnis", - "cool_energy_consumption": "Šaltos energijos sąnaudos", - "energy_consumption": "Energijos suvartojimas", - "heat_energy_consumption": "Šilumos energijos suvartojimas", - "inside_temperature": "Vidaus temperatūra", - "outside_temperature": "Lauko temperatūra", - "next_dawn": "Kita aušra", - "next_dusk": "Kitas saulėlydis", - "next_midnight": "Kitas vidurnaktis", - "next_noon": "Kitas vidurdienis", - "next_rising": "Kitas kilimas", - "next_setting": "Kitas nustatymas", - "solar_azimuth": "Saulės azimutas", - "solar_elevation": "Saulės aukštis", - "solar_rising": "Saulės kilimas", - "calibration": "Kalibravimas", - "auto_lock_paused": "Automatinis užraktas pristabdytas", - "timeout": "Laikas baigėsi", - "unclosed_alarm": "Neuždaryta signalizacija", - "unlocked_alarm": "Atrakintas signalas", - "bluetooth_signal": "Bluetooth signalas", - "light_level": "Šviesos lygis", - "wi_fi_signal": "Wi-Fi signalas", - "momentary": "Momentinis", - "pull_retract": "Ištraukti / ištraukti", + "battery_low": "Baterija išsekusi", + "cloud_connection": "Debesų ryšys", + "humidity_warning": "Įspėjimas apie drėgmę", + "overheated": "Perkaitęs", + "temperature_warning": "Įspėjimas apie temperatūrą", + "update_available": "Galimas atnaujinimas", + "dry": "Sausas", + "wet": "Šlapias", + "stop_alarm": "Sustabdyti signalą", + "test_alarm": "Bandomasis signalas", + "smooth_off": "Sklandžiai išjungti", + "smooth_on": "Sklandus įjungimas", + "temperature_offset": "Temperatūros poslinkis", + "alarm_sound": "Signalizacijos garsas", + "alarm_volume": "Signalizacijos garsumas", + "light_preset": "Šviesos iš anksto nustatytas", + "alarm_source": "Signalizacijos šaltinis", + "auto_off_at": "Automatinis išjungimas val", + "available_firmware_version": "Galima programinės įrangos versija", + "this_month_s_consumption": "Šio mėnesio suvartojimas", + "today_s_consumption": "Šiandieninis vartojimas", + "total_consumption": "Bendras suvartojimas", + "device_name_current": "{device_name} dabartinis", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} dabartinis suvartojimas", + "current_firmware_version": "Dabartinė programinės įrangos versija", + "device_time": "Prietaiso laikas", + "on_since": "Nuo tada", + "report_interval": "Ataskaitų intervalas", + "signal_strength": "Signalo stiprumas", + "signal_level": "Signalo lygis", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} šiandienos suvartojimas", + "device_name_total_consumption": "{device_name} bendras suvartojimas", + "voltage": "Įtampa", + "device_name_voltage": "{device_name} įtampa", + "auto_off_enabled": "Automatinis išjungimas įjungtas", + "auto_update_enabled": "Automatinis atnaujinimas įjungtas", + "fan_sleep_mode": "Ventiliatoriaus miego režimas", + "led": "LED", + "smooth_transitions": "Sklandūs perėjimai", + "process_process": "Procesas {process}", + "disk_free_mount_point": "Laisvas diskas {mount_point}", + "disk_use_mount_point": "Disko naudojimas {mount_point}", + "ipv_address_ip_address": "IPv6 adresas {ip_address}", + "last_boot": "Paskutinis įkrovimas", + "load_m": "Apkrova (5 m)", + "memory_free": "Atmintis laisva", + "memory_use": "Atminties naudojimas", + "network_in_interface": "Tinklas į {interface}", + "network_out_interface": "Tinklas iš {interface}", + "packets_in_interface": "Paketai į {interface}", + "packets_out_interface": "Paketai iš {interface}", + "processor_temperature": "Procesoriaus temperatūra", + "processor_use": "Procesoriaus naudojimas", + "swap_free": "Swap laisva", + "swap_use": "Swap užimta", + "swap_usage": "Swap panaudota", + "network_throughput_in_interface": "Tinklo pralaidumas į {interface}", + "network_throughput_out_interface": "Tinklo pralaidumas iš {interface}", + "estimated_distance": "Numatomas atstumas", + "vendor": "Pardavėjas", + "air_quality_index": "Oro kokybės indeksas", + "illuminance": "Apšvietimas", + "noise": "Triukšmas", + "overload": "Perkrova", + "size": "Dydis", + "size_in_bytes": "Dydis baitais", + "bytes_received": "Gauti baitai", + "server_country": "Serverio šalis", + "server_id": "Serverio ID", + "server_name": "Serverio pavadinimas", + "ping": "Ping", + "upload": "Įkelti", + "bytes_sent": "Išsiųsti baitai", "animal": "Gyvūnas", + "detected": "Aptikta", "animal_lens": "Gyvūno objektyvas 1", "face": "Veidas", "face_lens": "Veido objektyvas 1", @@ -1591,6 +1640,9 @@ "person_lens": "Asmeninis objektyvas 1", "pet": "Augintinis", "pet_lens": "Naminių gyvūnėlių objektyvas 1", + "sleep_status": "Miego būsena", + "awake": "Pabudęs", + "sleeping": "Miega", "vehicle": "Transporto priemonė", "vehicle_lens": "Transporto priemonės objektyvas 1", "visitor": "Lankytojas", @@ -1647,6 +1699,7 @@ "image_saturation": "Vaizdo sodrumas", "motion_sensitivity": "Judesio jautrumas", "pir_sensitivity": "PIR jautrumas", + "volume": "Garsumas", "zoom": "Padidinti", "auto_quick_reply_message": "Automatinis greito atsakymo pranešimas", "auto_track_method": "Automatinis sekimo metodas", @@ -1655,15 +1708,16 @@ "pan_tilt_first": "Pirmiausia pastumkite / pakreipkite", "day_night_mode": "Dienos nakties režimas", "black_white": "Juoda & balta", + "doorbell_led": "Durų skambutis LED", + "always_on": "Visada įjungtas", + "state_alwaysonatnight": "Automatinis ir visada įjungtas naktį", + "stay_off": "Nesikišk", "floodlight_mode": "Prožektoriaus režimas", "adaptive": "Prisitaikantis", "auto_adaptive": "Automatiškai prisitaikantis", "on_at_night": "Įjungta naktį", "play_quick_reply_message": "Leisti greito atsakymo pranešimą", "ptz_preset": "PTZ išankstinis nustatymas", - "always_on": "Visada įjungtas", - "state_alwaysonatnight": "Automatinis ir visada įjungtas naktį", - "stay_off": "Nesikišk", "battery_percentage": "Baterijos procentas", "battery_state": "Baterijos būsena", "charge_complete": "Įkrovimas baigtas", @@ -1677,6 +1731,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} saugykla", "ptz_pan_position": "PTZ poslinkio padėtis", "sd_hdd_index_storage": "SD {hdd_index} saugykla", + "wi_fi_signal": "Wi-Fi signalas", "auto_focus": "Automatinis fokusavimas", "auto_tracking": "Automatinis sekimas", "buzzer_on_event": "Renginio garsinis signalas", @@ -1685,6 +1740,7 @@ "ftp_upload": "FTP įkėlimas", "guard_return": "Apsaugos grąžinimas", "hdr": "HDR", + "manual_record": "Rankinis įrašas", "pir_enabled": "PIR įjungtas", "pir_reduce_false_alarm": "PIR sumažina klaidingą aliarmą", "ptz_patrol": "PTZ valdymas", @@ -1692,80 +1748,88 @@ "record": "Įrašas", "record_audio": "Įrašyti garsą", "siren_on_event": "Sirena renginyje", - "process_process": "Procesas {process}", - "disk_free_mount_point": "Laisvas diskas {mount_point}", - "disk_use_mount_point": "Disko naudojimas {mount_point}", - "ipv_address_ip_address": "IPv6 adresas {ip_address}", - "last_boot": "Paskutinis įkrovimas", - "load_m": "Apkrova (5 m)", - "memory_free": "Atmintis laisva", - "memory_use": "Atminties naudojimas", - "network_in_interface": "Tinklas į {interface}", - "network_out_interface": "Tinklas iš {interface}", - "packets_in_interface": "Paketai į {interface}", - "packets_out_interface": "Paketai iš {interface}", - "processor_temperature": "Procesoriaus temperatūra", - "processor_use": "Procesoriaus naudojimas", - "swap_free": "Swap laisva", - "swap_use": "Swap užimta", - "swap_usage": "Swap panaudota", - "network_throughput_in_interface": "Tinklo pralaidumas į {interface}", - "network_throughput_out_interface": "Tinklo pralaidumas iš {interface}", - "device_trackers": "Įrenginių stebėjimo priemonės", - "gps_accuracy": "GPS tikslumas", + "call_active": "Skambutis Aktyvus", + "quiet": "Tyliai", + "auto_gain": "Automatinis padidėjimas", + "mic_volume": "Mikrofono garsumas", + "noise_suppression": "Triukšmo slopinimas", + "noise_suppression_level": "Triukšmo slopinimo lygis", + "mute": "Nutildyti", + "satellite_enabled": "Palydovas įjungtas", + "calibration": "Kalibravimas", + "auto_lock_paused": "Automatinis užraktas pristabdytas", + "timeout": "Laikas baigėsi", + "unclosed_alarm": "Neuždaryta signalizacija", + "unlocked_alarm": "Atrakintas signalas", + "bluetooth_signal": "Bluetooth signalas", + "light_level": "Šviesos lygis", + "momentary": "Momentinis", + "pull_retract": "Ištraukti / ištraukti", + "ding": "Ding", + "doorbell_volume": "Durų skambučio garsumas", + "last_activity": "Paskutinė veikla", + "last_ding": "Paskutinis skambutis", + "last_motion": "Paskutinis judesys", + "voice_volume": "Balso garsumas", + "wi_fi_signal_category": "Wi-Fi signalo kategorija", + "wi_fi_signal_strength": "Wi-Fi signalo stiprumas", + "box": "Dėžė", + "step": "Žingsnis", + "apparent_power": "Matoma galia", + "carbon_dioxide": "Anglies dioksidas", + "data_rate": "Duomenų perdavimo sparta", + "distance": "Atstumas", + "stored_energy": "Sukaupta energija", + "frequency": "Dažnis", + "irradiance": "Švitinimas", + "nitrogen_dioxide": "Azoto dioksidas", + "nitrogen_monoxide": "Azoto monoksidas", + "nitrous_oxide": "Azoto oksidas", + "ozone": "Ozonas", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Galios koeficientas", + "precipitation_intensity": "Kritulių intensyvumas", + "pressure": "Slėgis", + "reactive_power": "Reaktyvioji galia", + "sound_pressure": "Garso slėgis", + "speed": "Greitis", + "sulphur_dioxide": "Sieros dioksidas", + "vocs": "VOCs", + "volume_flow_rate": "Vandens srauto greitis", + "stored_volume": "Išsaugotas tūris", + "weight": "Svoris", + "available_tones": "Galimi tonai", + "end_time": "Pabaigos laikas", + "start_time": "Pradžios laikas", + "managed_via_ui": "Tvarkoma per vartotojo sąsają", + "next_event": "Kitas renginys", + "stopped": "Sustabdytas", + "garage": "Garažas", "running_automations": "Veikiančios automatikos", - "max_running_scripts": "Maksimalus paleisti scenarijus", + "id": "ID", + "max_running_automations": "Maksimali veikimo automatika", "run_mode": "Vykdymo režimas", "parallel": "Lygiagretus", "queued": "Eilėje", "one": "Vienas", - "end_time": "Pabaigos laikas", - "start_time": "Pradžios laikas", - "recording": "Įrašoma", - "streaming": "Transliuojama", - "access_token": "Prieigos raktas", - "brand": "Prekės ženklas", - "stream_type": "Srauto tipas", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Modelis", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Maršrutizatorius", - "cool": "Šaltas", - "dry": "Sausas", - "fan_only": "Tik ventiliatorius", - "heat_cool": "Šildymas / vėsinimas", - "aux_heat": "Išorinis šildymas", - "current_humidity": "Dabartinė drėgmė", - "current_temperature": "Current Temperature", - "fan_mode": "Ventiliatoriaus režimas", - "diffuse": "Difuzinis", - "middle": "Vidurio", - "top": "Į viršų", - "current_action": "Dabartinis veiksmas", - "cooling": "Aušinimas", - "drying": "Džiovinimas", - "heating": "Šildoma", - "preheating": "Pakaitinimas", - "max_target_humidity": "Maksimali tikslinė drėgmė", - "max_target_temperature": "Maksimali tikslinė temperatūra", - "min_target_humidity": "Minimali tikslinė drėgmė", - "min_target_temperature": "Minimali tikslinė temperatūra", - "comfort": "Komfortas", - "eco": "Eco", - "sleep": "Miegas", - "presets": "Iš anksto nustatyti", - "swing_mode": "Svyravimo režimas", - "both": "Abu", - "horizontal": "Horizontalus", - "upper_target_temperature": "Aukščiausia tikslinė temperatūra", - "lower_target_temperature": "Žemutinė tikslinė temperatūra", - "target_temperature_step": "Tikslinės temperatūros žingsnis", - "buffering": "Buferis", - "paused": "Pristabdyta", - "playing": "Groja", - "standby": "Budėjimo režimas", + "not_charging": "Nekraunama", + "unplugged": "Atjungtas", + "connected": "Prisijungęs", + "hot": "Karšta", + "no_light": "Nėra šviesos", + "light_detected": "Aptikta šviesa", + "locked": "Užrakinta", + "unlocked": "Atrakinta", + "not_moving": "Nejuda", + "not_running": "Neveikia", + "safe": "Saugus", + "unsafe": "Nesaugu", + "tampering_detected": "Aptiktas pažeidimas", + "buffering": "Buferis", + "paused": "Pristabdyta", + "playing": "Groja", + "standby": "Budėjimo režimas", "app_id": "Programos ID", "local_accessible_entity_picture": "Vietinis pasiekiamas subjekto paveikslėlis", "group_members": "Grupės nariai", @@ -1782,73 +1846,11 @@ "receiver": "Imtuvas", "speaker": "Garsiakalbis", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Tik ryškumas", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Spalvos temperatūra (mireds)", - "color_temperature_kelvin": "Spalvos temperatūra (Kelvinas)", - "available_effects": "Galimi efektai", - "maximum_color_temperature_kelvin": "Maksimali spalvų temperatūra (Kelvinas)", - "maximum_color_temperature_mireds": "Maksimali spalvų temperatūra (mireds)", - "minimum_color_temperature_kelvin": "Minimali spalvų temperatūra (Kelvinas)", - "minimum_color_temperature_mireds": "Minimali spalvų temperatūra (mireds)", - "available_color_modes": "Galimi spalvų režimai", - "event_type": "Įvykio tipas", - "event_types": "Įvykių tipai", - "doorbell": "Durų skambutis", - "available_tones": "Galimi tonai", - "locked": "Užrakinta", - "unlocked": "Atrakinta", - "members": "Nariai", - "managed_via_ui": "Tvarkoma per vartotojo sąsają", - "id": "ID", - "max_running_automations": "Maksimali veikimo automatika", - "finishes_at": "Baigiasi", - "remaining": "Likęs", - "next_event": "Kitas renginys", - "update_available": "Galimas atnaujinimas", - "auto_update": "Automatinis atnaujinimas", - "installed_version": "Įdiegta versija", - "release_summary": "Išleidimo santrauka", - "release_url": "Išleidimo URL", - "skipped_version": "Praleista versija", - "firmware": "Programinė įranga", - "box": "Dėžė", - "step": "Žingsnis", - "apparent_power": "Matoma galia", - "carbon_dioxide": "Anglies dioksidas", - "data_rate": "Duomenų perdavimo sparta", - "distance": "Atstumas", - "stored_energy": "Sukaupta energija", - "frequency": "Dažnis", - "irradiance": "Švitinimas", - "nitrogen_dioxide": "Azoto dioksidas", - "nitrogen_monoxide": "Azoto monoksidas", - "nitrous_oxide": "Azoto oksidas", - "ozone": "Ozonas", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Galios koeficientas", - "precipitation_intensity": "Kritulių intensyvumas", - "pressure": "Slėgis", - "reactive_power": "Reaktyvioji galia", - "signal_strength": "Signalo stiprumas", - "sound_pressure": "Garso slėgis", - "speed": "Greitis", - "sulphur_dioxide": "Sieros dioksidas", - "vocs": "VOCs", - "volume_flow_rate": "Vandens srauto greitis", - "stored_volume": "Išsaugotas tūris", - "weight": "Svoris", - "stopped": "Sustabdytas", - "garage": "Garažas", - "max_length": "Maksimalus ilgis", - "min_length": "Minimalus ilgis", - "pattern": "Šablonas", + "above_horizon": "Virš horizonto", + "below_horizon": "Žemiau horizonto", + "oscillating": "Svyruojantis", + "speed_step": "Greitis žingsnis", + "available_preset_modes": "Galimi iš anksto nustatyti režimai", "armed_away": "Apsaugoti išvykus", "armed_custom_bypass": "Užrakinta su apėjimu", "armed_night": "Apsaugota naktis", @@ -1859,14 +1861,71 @@ "code_for_arming": "Apsaugos kodas", "not_required": "Nereikalaujama", "code_format": "Kodo formatas", + "gps_accuracy": "GPS tikslumas", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Maršrutizatorius", + "event_type": "Įvykio tipas", + "event_types": "Įvykių tipai", + "doorbell": "Durų skambutis", + "device_trackers": "Įrenginių stebėjimo priemonės", + "max_running_scripts": "Maksimalus paleisti scenarijus", + "jammed": "Užstrigęs", + "locking": "Užrakinimas", + "unlocking": "Atrakinimas", + "cool": "Šaltas", + "fan_only": "Tik ventiliatorius", + "heat_cool": "Šildymas / vėsinimas", + "aux_heat": "Išorinis šildymas", + "current_humidity": "Dabartinė drėgmė", + "current_temperature": "Current Temperature", + "fan_mode": "Ventiliatoriaus režimas", + "diffuse": "Difuzinis", + "middle": "Vidurio", + "top": "Į viršų", + "current_action": "Dabartinis veiksmas", + "cooling": "Aušinimas", + "drying": "Džiovinimas", + "heating": "Šildoma", + "preheating": "Pakaitinimas", + "max_target_humidity": "Maksimali tikslinė drėgmė", + "max_target_temperature": "Maksimali tikslinė temperatūra", + "min_target_humidity": "Minimali tikslinė drėgmė", + "min_target_temperature": "Minimali tikslinė temperatūra", + "comfort": "Komfortas", + "eco": "Eco", + "sleep": "Miegas", + "presets": "Iš anksto nustatyti", + "swing_mode": "Svyravimo režimas", + "both": "Abu", + "horizontal": "Horizontalus", + "upper_target_temperature": "Aukščiausia tikslinė temperatūra", + "lower_target_temperature": "Žemutinė tikslinė temperatūra", + "target_temperature_step": "Tikslinės temperatūros žingsnis", "last_reset": "Paskutinis nustatymas iš naujo", "state_class": "Būsenos klasė", "measurement": "Matavimas", "total": "Iš viso", "total_increasing": "Iš viso didėja", + "conductivity": "Laidumas", "data_size": "Duomenų dydis", "balance": "Balansas", "timestamp": "Laiko žyma", + "color_mode": "Color Mode", + "brightness_only": "Tik ryškumas", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Spalvos temperatūra (mireds)", + "color_temperature_kelvin": "Spalvos temperatūra (Kelvinas)", + "available_effects": "Galimi efektai", + "maximum_color_temperature_kelvin": "Maksimali spalvų temperatūra (Kelvinas)", + "maximum_color_temperature_mireds": "Maksimali spalvų temperatūra (mireds)", + "minimum_color_temperature_kelvin": "Minimali spalvų temperatūra (Kelvinas)", + "minimum_color_temperature_mireds": "Minimali spalvų temperatūra (mireds)", + "available_color_modes": "Galimi spalvų režimai", "clear_night": "Giedra, naktis", "cloudy": "Debesuota", "exceptional": "Išskirtinis", @@ -1888,62 +1947,80 @@ "uv_index": "UV indeksas", "wind_bearing": "Vėjo guolis", "wind_gust_speed": "Vėjo gūsių greitis", - "above_horizon": "Virš horizonto", - "below_horizon": "Žemiau horizonto", - "oscillating": "Svyruojantis", - "speed_step": "Greitis žingsnis", - "available_preset_modes": "Galimi iš anksto nustatyti režimai", - "jammed": "Užstrigęs", - "locking": "Užrakinimas", - "unlocking": "Atrakinimas", - "identify": "Identifikuoti", - "not_charging": "Nekraunama", - "detected": "Aptikta", - "unplugged": "Atjungtas", - "connected": "Prisijungęs", - "hot": "Karšta", - "no_light": "Nėra šviesos", - "light_detected": "Aptikta šviesa", - "wet": "Šlapias", - "not_moving": "Nejuda", - "not_running": "Neveikia", - "safe": "Saugus", - "unsafe": "Nesaugu", - "tampering_detected": "Aptiktas pažeidimas", + "recording": "Įrašoma", + "streaming": "Transliuojama", + "access_token": "Prieigos raktas", + "brand": "Prekės ženklas", + "stream_type": "Srauto tipas", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Modelis", "minute": "Minutė", "second": "Sekundė", - "location_is_already_configured": "Vieta jau sukonfigūruota", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Neteisingas API raktas", - "api_key": "API raktas", + "max_length": "Maksimalus ilgis", + "min_length": "Minimalus ilgis", + "pattern": "Šablonas", + "members": "Nariai", + "finishes_at": "Baigiasi", + "remaining": "Likęs", + "identify": "Identifikuoti", + "auto_update": "Automatinis atnaujinimas", + "installed_version": "Įdiegta versija", + "release_summary": "Išleidimo santrauka", + "release_url": "Išleidimo URL", + "skipped_version": "Praleista versija", + "firmware": "Programinė įranga", + "abort_single_instance_allowed": "Jau sukonfigūruota. Galima tik viena konfigūracija.", "user_description": "Ar norite pradėti sąranką?", + "device_is_already_configured": "Įrenginys jau sukonfigūruotas", + "re_authentication_was_successful": "Pakartotinis autentifikavimas buvo sėkmingas", + "re_configuration_was_successful": "Pakartotinis konfigūravimas buvo sėkmingas", + "failed_to_connect": "Nepavyko prisijungti", + "error_custom_port_not_supported": "Gen1 įrenginys nepalaiko pasirinktinio prievado.", + "invalid_authentication": "Neteisingas autentifikavimas", + "unexpected_error": "Netikėta klaida", + "username": "Prisijungimos vardas", + "host": "Host", + "port": "Prievadas", "account_is_already_configured": "Paskyra jau sukonfigūruota", "abort_already_in_progress": "Konfigūracijos procesas jau vyksta", - "failed_to_connect": "Nepavyko prisijungti", "invalid_access_token": "Neteisingas prieigos raktas", "received_invalid_token_data": "Gauti neteisingi prieigos rakto duomenys.", "abort_oauth_failed": "Klaida gaunant prieigos raktą.", "timeout_resolving_oauth_token": "Baigėsi skirtasis OAuth prieigos raktas.", "abort_oauth_unauthorized": "OAuth prieigos teisės klaida gaunant prieigos raktą.", - "re_authentication_was_successful": "Pakartotinis autentifikavimas buvo sėkmingas", - "timeout_establishing_connection": "Baigėsi ryšio užmezgimo laikas", - "unexpected_error": "Netikėta klaida", "successfully_authenticated": "Sėkmingai autentifikuota", - "link_google_account": "Susieti Google paskyrą", + "link_fitbit": "Susieti Fitbit", "pick_authentication_method": "Pasirinkite autentifikavimo metodą", "authentication_expired_for_name": "Baigėsi {name} autentifikavimo galiojimas", - "service_is_already_configured": "Paslauga jau sukonfigūruota", - "confirm_description": "Ar norite nustatyti {name} ?", - "device_is_already_configured": "Įrenginys jau sukonfigūruotas", - "abort_no_devices_found": "Tinkle nerasta jokių įrenginių", - "connection_error_error": "Ryšio klaida: {error}", - "invalid_authentication_error": "Neteisingas autentifikavimas: {error}", - "name_model_host": "{name} {model} ( {host} )", - "username": "Prisijungimos vardas", - "authenticate": "Autentifikuoti", - "host": "Host", - "abort_single_instance_allowed": "Jau sukonfigūruota. Galima tik viena konfigūracija.", "component_homeassistant_config_step_few": "Tuščia", + "service_is_already_configured": "Paslauga jau sukonfigūruota", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Ar norite nustatyti {name} ?", + "adapter": "Adapteris", + "multiple_adapters_description": "Pasirinkite Bluetooth adapterį, kurį norite nustatyti", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API raktas", + "configure_daikin_ac": "Konfigūruoti Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1959,39 +2036,39 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Neteisingas pagrindinio kompiuterio pavadinimas arba IP adresas", - "device_not_supported": "Įrenginys nepalaikomas", - "name_model_at_host": "{name} ( {model} prie {host} )", - "authenticate_to_the_device": "Autentifikuokite įrenginį", - "finish_title": "Pasirinkite įrenginio pavadinimą", - "unlock_the_device": "Atrakinkite įrenginį", - "yes_do_it": "Taip, daryk.", - "unlock_the_device_optional": "Atrakinkite įrenginį (neprivaloma)", - "connect_to_the_device": "Prisijunkite prie įrenginio", - "no_port_for_endpoint": "Nėra galutinio taško prievado", - "abort_no_services": "Galiniame taške paslaugų nerasta", - "port": "Prievadas", - "discovered_wyoming_service": "Atrasta Wyoming paslauga", - "invalid_authentication": "Neteisingas autentifikavimas", - "two_factor_code": "Dviejų faktorių kodas", - "two_factor_authentication": "Dviejų veiksnių autentifikavimas", - "sign_in_with_ring_account": "Prisijunkite naudodami Ring paskyrą", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Susieti Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Negalima prisijungti. Išsami informacija: {error_detail}", + "unknown_details_error_detail": "Nežinoma. Išsami informacija: {error_detail}", + "uses_an_ssl_certificate": "Naudoja SSL sertifikatą", + "verify_ssl_certificate": "Patikrinkite SSL sertifikatą", + "timeout_establishing_connection": "Baigėsi ryšio užmezgimo laikas", + "link_google_account": "Susieti Google paskyrą", + "abort_no_devices_found": "Tinkle nerasta jokių įrenginių", + "connection_error_error": "Ryšio klaida: {error}", + "invalid_authentication_error": "Neteisingas autentifikavimas: {error}", + "name_model_host": "{name} {model} ( {host} )", + "authenticate": "Autentifikuoti", + "device_class": "Įrenginio klasė", + "template_binary_sensor": "Šablono dvejetainis jutiklis", + "template_sensor": "Šablono jutiklis", + "template_a_binary_sensor": "Dvejetainio jutiklio šablonas", + "template_a_sensor": "Jutiklio šablonas", + "template_helper": "Pagalbininko šablonas", + "location_is_already_configured": "Vieta jau sukonfigūruota", + "failed_to_connect_error": "Nepavyko prisijungti: {error}", + "invalid_api_key": "Neteisingas API raktas", + "pin_code": "PIN kodas", + "discovered_android_tv": "Atrado „Android TV“.", + "known_hosts": "Žinomi šeimininkai", + "google_cast_configuration": "„Google Cast“ konfigūracija", + "abort_invalid_host": "Neteisingas pagrindinio kompiuterio pavadinimas arba IP adresas", + "device_not_supported": "Įrenginys nepalaikomas", + "name_model_at_host": "{name} ( {model} prie {host} )", + "authenticate_to_the_device": "Autentifikuokite įrenginį", + "finish_title": "Pasirinkite įrenginio pavadinimą", + "unlock_the_device": "Atrakinkite įrenginį", + "yes_do_it": "Taip, daryk.", + "unlock_the_device_optional": "Atrakinkite įrenginį (neprivaloma)", + "connect_to_the_device": "Prisijunkite prie įrenginio", "invalid_birth_topic": "Netinkama gimimo tema", "error_bad_certificate": "CA sertifikatas neteisingas", "invalid_discovery_prefix": "Netinkamas atradimo priešdėlis", @@ -2015,8 +2092,9 @@ "path_is_not_allowed": "Kelias neleidžiamas", "path_is_not_valid": "Kelias negalioja", "path_to_file": "Kelias į failą", - "known_hosts": "Žinomi šeimininkai", - "google_cast_configuration": "„Google Cast“ konfigūracija", + "api_error_occurred": "Įvyko API klaida", + "hostname_ip_address": "{hostname} ( {ip_address} )", + "enable_https": "Įgalinti HTTPS", "abort_mdns_missing_mac": "Trūksta MAC adreso MDNS ypatybėse.", "abort_mqtt_missing_api": "Trūksta API prievado MQTT ypatybėse.", "abort_mqtt_missing_ip": "Trūksta IP adreso MQTT ypatybėse.", @@ -2024,10 +2102,38 @@ "service_received": "Paslauga gauta", "discovered_esphome_node": "Atrastas ESPHome mazgas", "encryption_key": "Šifravimo raktas", + "component_cloud_config_step_few": "tuščia", + "no_port_for_endpoint": "Nėra galutinio taško prievado", + "abort_no_services": "Galiniame taške paslaugų nerasta", + "discovered_wyoming_service": "Atrasta Wyoming paslauga", + "abort_api_error": "Klaida bendraujant su SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Nepalaikomas Switchbot tipas.", + "authentication_failed_error_detail": "Autentifikavimas nepavyko: {error_detail}", + "error_encryption_key_invalid": "Netinkamas rakto ID arba šifravimo raktas", + "name_address": "{name} ( {address} )", + "switchbot_account_recommended": "„SwitchBot“ paskyra (rekomenduojama)", + "menu_options_lock_key": "Įveskite užrakto šifravimo raktą rankiniu būdu", + "key_id": "Rakto ID", + "password_description": "Slaptažodis apsaugoti atsarginę kopiją.", + "device_address": "Įrenginio adresas", + "component_switchbot_config_error_few": "mažai", + "component_switchbot_config_error_many": "daug", + "component_switchbot_config_error_one": "vienas", + "meteorologisk_institutt": "Meteorologijos institutas", + "two_factor_code": "Dviejų faktorių kodas", + "two_factor_authentication": "Dviejų veiksnių autentifikavimas", + "sign_in_with_ring_account": "Prisijunkite naudodami Ring paskyrą", + "bridge_is_already_configured": "Tiltas jau sukonfigūruotas", + "no_deconz_bridges_discovered": "DeCONZ tiltų nerasta", + "abort_no_hardware_available": "Prie deCONZ neprijungta jokia radijo aparatūra", + "abort_updated_instance": "Atnaujintas deCONZ egzempliorius su nauju prieglobos adresu", + "error_linking_not_possible": "Nepavyko susieti su šliuzu", + "error_no_key": "Nepavyko gauti API rakto", + "link_with_deconz": "Ryšys su deCONZ", + "select_discovered_deconz_gateway": "Pasirinkite atrastą deCONZ šliuzą", "all_entities": "Visi subjektai", "hide_members": "Slėpti narius", "add_group": "Pridėti grupę", - "device_class": "Įrenginio klasė", "ignore_non_numeric": "Ignoruoti neskaitinius", "data_round_digits": "Suapvalinti iki kablelio skaičiaus", "type": "Tipas", @@ -2040,85 +2146,50 @@ "media_player_group": "Media grotuvų grupė", "sensor_group": "Jutiklių grupė", "switch_group": "Jungiklių grupė", - "name_already_exists": "Pavadinimas jau yra", - "passive": "Pasyvus", - "define_zone_parameters": "Apibrėžti zonos parametrus", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "component_cloud_config_step_few": "tuščia", - "re_configuration_was_successful": "Pakartotinis konfigūravimas buvo sėkmingas", - "error_custom_port_not_supported": "Gen1 įrenginys nepalaiko pasirinktinio prievado.", "abort_alternative_integration": "Įrenginį geriau palaiko kita integracija", "abort_discovery_error": "Nepavyko rasti atitinkančio DLNA įrenginio", "abort_incomplete_config": "Konfigūracijai trūksta būtino kintamojo", "manual_description": "URL į įrenginio aprašo XML failą", "manual_title": "Rankinis DLNA DMR įrenginio prijungimas", "discovered_dlna_dmr_devices": "Atrasti DLNA DMR įrenginiai", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Pavadinimas jau yra", + "passive": "Pasyvus", + "define_zone_parameters": "Apibrėžti zonos parametrus", "calendar_name": "Kalendoriaus pavadinimas", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapteris", - "multiple_adapters_description": "Pasirinkite Bluetooth adapterį, kurį norite nustatyti", - "cannot_connect_details_error_detail": "Negalima prisijungti. Išsami informacija: {error_detail}", - "unknown_details_error_detail": "Nežinoma. Išsami informacija: {error_detail}", - "uses_an_ssl_certificate": "Naudoja SSL sertifikatą", - "verify_ssl_certificate": "Patikrinkite SSL sertifikatą", - "configure_daikin_ac": "Konfigūruoti Daikin AC", - "pin_code": "PIN kodas", - "discovered_android_tv": "Atrado „Android TV“.", - "template_binary_sensor": "Šablono dvejetainis jutiklis", - "template_sensor": "Šablono jutiklis", - "template_a_binary_sensor": "Dvejetainio jutiklio šablonas", - "template_a_sensor": "Jutiklio šablonas", - "template_helper": "Pagalbininko šablonas", - "bridge_is_already_configured": "Tiltas jau sukonfigūruotas", - "no_deconz_bridges_discovered": "DeCONZ tiltų nerasta", - "abort_no_hardware_available": "Prie deCONZ neprijungta jokia radijo aparatūra", - "abort_updated_instance": "Atnaujintas deCONZ egzempliorius su nauju prieglobos adresu", - "error_linking_not_possible": "Nepavyko susieti su šliuzu", - "error_no_key": "Nepavyko gauti API rakto", - "link_with_deconz": "Ryšys su deCONZ", - "select_discovered_deconz_gateway": "Pasirinkite atrastą deCONZ šliuzą", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Nepalaikomas Switchbot tipas.", - "authentication_failed_error_detail": "Autentifikavimas nepavyko: {error_detail}", - "error_encryption_key_invalid": "Netinkamas rakto ID arba šifravimo raktas", - "name_address": "{name} ( {address} )", - "switchbot_account_recommended": "„SwitchBot“ paskyra (rekomenduojama)", - "menu_options_lock_key": "Įveskite užrakto šifravimo raktą rankiniu būdu", - "key_id": "Rakto ID", - "password_description": "Slaptažodis apsaugoti atsarginę kopiją.", - "device_address": "Įrenginio adresas", - "component_switchbot_config_error_few": "mažai", - "component_switchbot_config_error_many": "daug", - "component_switchbot_config_error_one": "vienas", - "meteorologisk_institutt": "Meteorologijos institutas", - "api_error_occurred": "Įvyko API klaida", - "hostname_ip_address": "{hostname} ( {ip_address} )", - "enable_https": "Įgalinti HTTPS", - "enable_the_conversation_agent": "Įgalinti pokalbių agentą", - "language_code": "Kalbos kodas", - "select_test_server": "Pasirinkite bandomąjį serverį", - "data_allow_nameless_uuids": "Šiuo metu leidžiami UUID. Panaikinkite žymėjimą, kad pašalintumėte", - "minimum_rssi": "Minimalus RSSI", - "data_new_uuid": "Įveskite naują leistiną UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth skaitytuvo režimas", + "passive_scanning": "Pasyvus nuskaitymas", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2201,6 +2272,22 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Įgalinti pokalbių agentą", + "language_code": "Kalbos kodas", + "data_process": "Procesai, kuriuos reikia pridėti kaip jutiklį (-ius)", + "data_app_delete": "Pažymėkite, jei norite ištrinti šią programą", + "application_icon": "Programos piktograma", + "application_name": "Programos pavadinimas", + "configure_application_id_app_id": "Konfigūruoti programos ID {app_id}", + "configure_android_apps": "Konfigūruokite „Android“ programas", + "configure_applications_list": "Konfigūruoti programų sąrašą", + "data_allow_nameless_uuids": "Šiuo metu leidžiami UUID. Panaikinkite žymėjimą, kad pašalintumėte", + "minimum_rssi": "Minimalus RSSI", + "data_new_uuid": "Įveskite naują leistiną UUID", + "data_calendar_access": "„Home Assistant“ prieiga prie „Google“ kalendoriaus", + "ignore_cec": "Ignoruoti CEC", + "allowed_uuids": "Leidžiami UUID", + "advanced_google_cast_configuration": "Išplėstinė „Google Cast“ konfigūracija", "broker_options": "Brokerio pasirinkimai", "enable_birth_message": "Įgalinti gimimo pranešimą", "birth_message_payload": "Gimimo žinutės naudingoji apkrova", @@ -2214,105 +2301,37 @@ "will_message_retain": "Pranešimas bus išsaugotas", "will_message_topic": "Siųs žinutę tema", "mqtt_options": "MQTT parinktys", - "ignore_cec": "Ignoruoti CEC", - "allowed_uuids": "Leidžiami UUID", - "advanced_google_cast_configuration": "Išplėstinė „Google Cast“ konfigūracija", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth skaitytuvo režimas", + "protocol": "Protokolas", + "select_test_server": "Pasirinkite bandomąjį serverį", + "retry_count": "Bandykite skaičiuoti dar kartą", + "allow_deconz_clip_sensors": "Leisti deCONZ CLIP jutiklius", + "allow_deconz_light_groups": "Leisti deCONZ šviesos grupes", + "data_allow_new_devices": "Leisti automatiškai pridėti naujų įrenginių", + "deconz_devices_description": "Konfigūruokite deCONZ įrenginių tipų matomumą", + "deconz_options": "deCONZ parinktys", "invalid_url": "Netinkamas URL", "data_browse_unfiltered": "Naršant rodyti nesuderinamą mediją", "event_listener_callback_url": "Įvykių klausytojo atgalinio iškvietimo URL", "data_listen_port": "Įvykių klausytojo prievadas (atsitiktinis, jei nenustatytas)", "poll_for_device_availability": "Apklausa dėl įrenginio pasiekiamumo", "init_title": "DLNA Digital Media Renderer konfigūracija", - "passive_scanning": "Pasyvus nuskaitymas", - "allow_deconz_clip_sensors": "Leisti deCONZ CLIP jutiklius", - "allow_deconz_light_groups": "Leisti deCONZ šviesos grupes", - "data_allow_new_devices": "Leisti automatiškai pridėti naujų įrenginių", - "deconz_devices_description": "Konfigūruokite deCONZ įrenginių tipų matomumą", - "deconz_options": "deCONZ parinktys", - "retry_count": "Bandykite skaičiuoti dar kartą", - "data_calendar_access": "„Home Assistant“ prieiga prie „Google“ kalendoriaus", - "protocol": "Protokolas", - "data_process": "Procesai, kuriuos reikia pridėti kaip jutiklį (-ius)", - "toggle_entity_name": "Perjungti {entity_name}", - "disarm_entity_name": "Išjungti {entity_name}", - "turn_on_entity_name": "Įjungti {entity_name}", - "entity_name_is_off": "{entity_name} išjungtas", - "entity_name_is_on": "{entity_name} yra įjungtas", - "trigger_type_changed_states": "{entity_name} įjungtas arba išjungtas", - "entity_name_turned_on": "{entity_name} įjungtas", - "entity_name_is_home": "{entity_name} yra namuose", - "entity_name_is_not_home": "{entity_name} nėra namuose", - "entity_name_enters_a_zone": "{entity_name} patenka į zoną", - "entity_name_leaves_a_zone": "{entity_name} palieka zoną", - "action_type_set_hvac_mode": "Pakeiskite {entity_name} HVAC režimą", - "change_preset_on_entity_name": "Keisti išankstinį nustatymą {entity_name}", - "entity_name_measured_humidity_changed": "Pakeistas {entity_name} išmatuotas drėgnumas", - "entity_name_measured_temperature_changed": "Pakeista {entity_name} išmatuota temperatūra", - "entity_name_hvac_mode_changed": "{entity_name} HVAC režimas pakeistas", - "entity_name_is_buffering": "{entity_name} atlieka buferį", - "entity_name_is_idle": "{entity_name} yra neaktyvus", - "entity_name_is_paused": "{entity_name} pristabdytas", - "entity_name_is_playing": "{entity_name} groja", - "entity_name_starts_buffering": "{entity_name} pradeda saugoti buferį", - "entity_name_becomes_idle": "{entity_name} tampa neaktyvus", - "entity_name_starts_playing": "{entity_name} pradeda žaisti", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Pirmas mygtukas", "second_button": "Antras mygtukas", "third_button": "Trečias mygtukas", "fourth_button": "Ketvirtas mygtukas", - "fifth_button": "Penktas mygtukas", - "sixth_button": "Šeštas mygtukas", - "subtype_double_clicked": "„ {subtype} “ du kartus spustelėjo", - "subtype_continuously_pressed": "„ {subtype} “ nuolat spaudžiamas", - "trigger_type_button_long_release": "\"{subtype}\" išleistas po ilgo spaudimo", - "subtype_quadruple_clicked": "\"{subtype}\" keturgubas paspaudimas", - "subtype_quintuple_clicked": "\"{subtype}\" penkiaženklis paspaudė", - "subtype_pressed": "\"{subtype}\" spaudžiamas", - "subtype_released": "„ {subtype} “ išleistas", - "subtype_triple_clicked": "„ {subtype} “ spustelėjo tris kartus", - "decrease_entity_name_brightness": "Sumažinti {entity_name} ryškumą", - "increase_entity_name_brightness": "Padidinti {entity_name} ryškumą", - "flash_entity_name": "Blyksėti {entity_name}", - "action_type_select_first": "Pakeiskite {entity_name} į pirmąją parinktį", - "action_type_select_last": "Pakeiskite {entity_name} į paskutinę parinktį", - "action_type_select_next": "Pakeiskite {entity_name} į kitą parinktį", - "change_entity_name_option": "Pakeiskite {entity_name} parinktį", - "action_type_select_previous": "Pakeiskite {entity_name} į ankstesnę parinktį", - "current_entity_name_selected_option": "Dabartinė pasirinkta parinktis {entity_name}", - "entity_name_option_changed": "{entity_name} parinktis pakeista", - "entity_name_update_availability_changed": "{entity_name} naujinio prieinamumas", - "entity_name_became_up_to_date": "{entity_name} tapo naujausia", - "trigger_type_update": "{entity_name} yra naujinys", "subtype_button_down": "{subtype} mygtukas žemyn", "subtype_button_up": "{subtype} mygtukas aukštyn", + "subtype_double_clicked": "„ {subtype} “ du kartus spustelėjo", "subtype_double_push": "{subtype} dvigubas paspaudimas", "subtype_long_clicked": "{subtype} ilgai spustelėjo", "subtype_long_push": "{subtype} ilgas paspaudimas", @@ -2320,8 +2339,10 @@ "subtype_single_clicked": "{subtype} vienu paspaudimu", "trigger_type_single_long": "{subtype} spustelėjo vieną kartą, tada ilgai spustelėjo", "subtype_single_push": "{subtype} vienas paspaudimas", + "subtype_triple_clicked": "„ {subtype} “ spustelėjo tris kartus", "subtype_triple_push": "{subtype} trigubas paspaudimas", "set_value_for_entity_name": "Nustatyti {entity_name} vertę", + "value": "Vertė", "close_entity_name": "Uždaryti {entity_name}", "close_entity_name_tilt": "Uždaryti {entity_name} pakreipimą", "open_entity_name": "Atidaryti {entity_name}", @@ -2340,7 +2361,106 @@ "entity_name_opening": "{entity_name} atidarymas", "entity_name_position_changes": "{entity_name} pozicijos pasikeitimai", "entity_name_tilt_position_changes": "{entity_name} pakreipimo padėties pasikeitimai", - "send_a_notification": "Siųsti pranešimą", + "entity_name_battery_low": "{entity_name} baterija senka", + "entity_name_is_charging": "{entity_name} kraunasi", + "condition_type_is_co": "{entity_name} aptinka anglies monoksidą", + "entity_name_is_cold": "{entity_name} yra šaltas", + "entity_name_connected": "{entity_name} prijungtas", + "entity_name_is_detecting_gas": "{entity_name} aptinka dujas", + "entity_name_is_hot": "{entity_name} yra karštas", + "entity_name_is_detecting_light": "{entity_name} aptinka šviesą", + "entity_name_is_locked": "{entity_name} yra užrakintas", + "entity_name_is_moist": "{entity_name} yra drėgnas", + "entity_name_is_detecting_motion": "{entity_name} aptiko judesį", + "entity_name_is_moving": "{entity_name} juda", + "condition_type_is_no_co": "{entity_name} neaptinka anglies monoksido", + "condition_type_is_no_gas": "{entity_name} neaptinka dujų", + "condition_type_is_no_light": "{entity_name} neaptinka šviesos", + "condition_type_is_no_motion": "{entity_name} judesio nėra", + "condition_type_is_no_problem": "{entity_name} neaptinka problemos", + "condition_type_is_no_smoke": "{entity_name} neaptinka dūmų", + "condition_type_is_no_sound": "{entity_name} neaptinka garso", + "entity_name_is_up_to_date": "{entity_name} yra atnaujinta", + "condition_type_is_no_vibration": "{entity_name} neaptinka vibracijos", + "entity_name_battery_is_normal": "{entity_name} baterija yra normali", + "entity_name_not_charging": "{entity_name} neįkraunamas", + "entity_name_is_not_cold": "{entity_name} nėra šaltas", + "entity_name_is_unplugged": "{entity_name} yra atjungtas", + "entity_name_is_not_hot": "{entity_name} nėra karštas", + "entity_name_is_unlocked": "{entity_name} yra atrakintas", + "entity_name_is_dry": "{entity_name} yra sausas", + "entity_name_is_not_moving": "{entity_name} nejuda", + "entity_name_is_not_occupied": "{entity_name} nėra užimtas", + "entity_name_not_powered": "{entity_name} nėra maitinamas", + "entity_name_not_present": "{entity_name} nėra", + "entity_name_is_not_running": "{entity_name} neveikia", + "condition_type_is_not_tampered": "{entity_name} neaptinka klastojimo", + "entity_name_is_safe": "{entity_name} yra saugus", + "entity_name_is_occupied": "{entity_name} yra užimtas", + "entity_name_is_off": "{entity_name} išjungtas", + "entity_name_is_on": "{entity_name} yra įjungtas", + "entity_name_is_plugged_in": "{entity_name} yra prijungtas", + "entity_name_is_powered": "{entity_name} yra maitinamas", + "entity_name_present": "{entity_name} yra", + "entity_name_is_detecting_problem": "{entity_name} aptinka problemą", + "entity_name_is_running": "{entity_name} veikia", + "entity_name_is_detecting_smoke": "{entity_name} aptinka dūmus", + "entity_name_is_detecting_sound": "{entity_name} aptinka garsą", + "entity_name_is_detecting_tampering": "{entity_name} aptinka klastojimo", + "entity_name_is_unsafe": "{entity_name} yra nesaugus", + "trigger_type_update": "{entity_name} yra naujinys", + "entity_name_is_detecting_vibration": "{entity_name} aptinka vibraciją", + "entity_name_charging": "{entity_name} įkrovimas", + "trigger_type_co": "{entity_name} pradėjo aptikti anglies monoksidą", + "entity_name_became_cold": "{entity_name} tapo šalta", + "entity_name_started_detecting_gas": "{entity_name} pradėjo aptikti dujas", + "entity_name_became_hot": "{entity_name} tapo karšta", + "entity_name_started_detecting_light": "{entity_name} pradėjo aptikti šviesą", + "entity_name_locked": "{entity_name} užrakinta", + "entity_name_became_moist": "{entity_name} tapo drėgnas", + "entity_name_started_detecting_motion": "{entity_name} pradėjo aptikti judesį", + "entity_name_started_moving": "{entity_name} pradėjo judėti", + "trigger_type_no_co": "{entity_name} nustojo aptikti anglies monoksidą", + "entity_name_stopped_detecting_gas": "{entity_name} nustojo aptikti dujas", + "entity_name_stopped_detecting_light": "{entity_name} nustojo aptikti šviesą", + "entity_name_stopped_detecting_motion": "{entity_name} nustojo aptikti judesį", + "entity_name_stopped_detecting_problem": "{entity_name} nustojo aptikti problemą", + "entity_name_stopped_detecting_smoke": "{entity_name} nustojo aptikti dūmus", + "entity_name_stopped_detecting_sound": "{entity_name} nustojo aptikti garsą", + "entity_name_became_up_to_date": "{entity_name} tapo naujausia", + "entity_name_stopped_detecting_vibration": "{entity_name} nustojo aptikti vibraciją", + "entity_name_battery_normal": "{entity_name} baterija normali", + "entity_name_became_not_cold": "{entity_name} tapo ne šaltas", + "entity_name_unplugged": "{entity_name} atjungtas", + "entity_name_became_not_hot": "{entity_name} tapo ne karštas", + "entity_name_unlocked": "{entity_name} atrakinta", + "entity_name_became_dry": "{entity_name} tapo sausas", + "entity_name_stopped_moving": "{entity_name} nustojo judėti", + "entity_name_became_not_occupied": "{entity_name} tapo neužimta", + "trigger_type_not_running": "{entity_name} nebeveikia", + "entity_name_stopped_detecting_tampering": "{entity_name} nustojo aptikti klastojimą", + "entity_name_became_safe": "{entity_name} tapo saugus", + "entity_name_became_occupied": "{entity_name} buvo užimtas", + "entity_name_powered": "{entity_name} maitinamas", + "entity_name_started_detecting_problem": "{entity_name} pradėjo aptikti problemą", + "entity_name_started_running": "{entity_name} pradėjo veikti", + "entity_name_started_detecting_smoke": "{entity_name} pradėjo aptikti dūmus", + "entity_name_started_detecting_sound": "{entity_name} pradėjo aptikti garsą", + "entity_name_started_detecting_tampering": "{entity_name} pradėjo aptikti klastojimą", + "entity_name_turned_on": "{entity_name} įjungtas", + "entity_name_became_unsafe": "{entity_name} tapo nesaugus", + "entity_name_started_detecting_vibration": "{entity_name} pradėjo aptikti vibraciją", + "entity_name_is_buffering": "{entity_name} atlieka buferį", + "entity_name_is_idle": "{entity_name} yra neaktyvus", + "entity_name_is_paused": "{entity_name} pristabdytas", + "entity_name_is_playing": "{entity_name} groja", + "entity_name_starts_buffering": "{entity_name} pradeda saugoti buferį", + "trigger_type_changed_states": "{entity_name} įjungtas arba išjungtas", + "entity_name_becomes_idle": "{entity_name} tampa neaktyvus", + "entity_name_starts_playing": "{entity_name} pradeda žaisti", + "toggle_entity_name": "Perjungti {entity_name}", + "disarm_entity_name": "Išjungti {entity_name}", + "turn_on_entity_name": "Įjungti {entity_name}", "arm_entity_name_away": "Apsaugoti {entity_name} išvykęs", "arm_entity_name_home": "Apsaugoti {entity_name} namie", "arm_entity_name_night": "Apsaugoti {entity_name} naktį", @@ -2352,16 +2472,28 @@ "entity_name_is_armed_vacation": "{entity_name} užrakinta atostogų režime", "entity_name_disarmed": "{entity_name} išjungta", "entity_name_triggered": "{entity_name} suveikė", - "entity_name_locked": "{entity_name} užrakinta", "entity_name_armed_home": "{entity_name} užrakinta - Namie", "entity_name_armed_night": "{entity_name} užrakinta - Naktinė apsauga", "entity_name_armed_vacation": "{entity_name} užrakinta - atostogų režime", + "entity_name_is_home": "{entity_name} yra namuose", + "entity_name_is_not_home": "{entity_name} nėra namuose", + "entity_name_enters_a_zone": "{entity_name} patenka į zoną", + "entity_name_leaves_a_zone": "{entity_name} palieka zoną", + "lock_entity_name": "Užrakinti {entity_name}", + "unlock_entity_name": "Atrakinti {entity_name}", + "action_type_set_hvac_mode": "Pakeiskite {entity_name} HVAC režimą", + "change_preset_on_entity_name": "Keisti išankstinį nustatymą {entity_name}", + "hvac_mode": "HVAC režimas", + "entity_name_measured_humidity_changed": "Pakeistas {entity_name} išmatuotas drėgnumas", + "entity_name_measured_temperature_changed": "Pakeista {entity_name} išmatuota temperatūra", + "entity_name_hvac_mode_changed": "{entity_name} HVAC režimas pakeistas", "current_entity_name_apparent_power": "Dabartinė {entity_name} tariama galia", "condition_type_is_aqi": "Dabartinis {entity_name} oro kokybės indeksas", "current_entity_name_atmospheric_pressure": "Dabartinis {entity_name} atmosferos slėgis", "current_entity_name_battery_level": "Dabartinis {entity_name} akumuliatoriaus lygis", "condition_type_is_carbon_dioxide": "Dabartinis {entity_name} anglies dioksido koncentracijos lygis", "condition_type_is_carbon_monoxide": "Dabartinis {entity_name} anglies monoksido koncentracijos lygis", + "current_entity_name_conductivity": "Dabartinis {entity_name} laidumas", "current_entity_name_current": "Dabartinis {entity_name} dabartinis", "current_entity_name_data_rate": "Dabartinis {entity_name} duomenų perdavimo greitis", "current_entity_name_data_size": "Dabartinis {entity_name} duomenų dydis", @@ -2405,6 +2537,7 @@ "entity_name_battery_level_changes": "{entity_name} akumuliatoriaus lygio pokyčiai", "trigger_type_carbon_dioxide": "{entity_name} anglies dioksido koncentracijos pokyčiai", "trigger_type_carbon_monoxide": "{entity_name} anglies monoksido koncentracijos pokyčiai", + "entity_name_conductivity_changes": "{entity_name} laidumo pokyčiai", "entity_name_current_changes": "{entity_name} dabartiniai pakeitimai", "entity_name_data_rate_changes": "{entity_name} duomenų perdavimo spartos pokyčiai", "entity_name_data_size_changes": "{entity_name} duomenų dydžio pokyčiai", @@ -2442,126 +2575,70 @@ "entity_name_water_changes": "{entity_name} vandens keitimas", "entity_name_weight_changes": "{entity_name} svorio pokyčiai", "entity_name_wind_speed_changes": "{entity_name} vėjo greičio pokyčiai", + "decrease_entity_name_brightness": "Sumažinti {entity_name} ryškumą", + "increase_entity_name_brightness": "Padidinti {entity_name} ryškumą", + "flash_entity_name": "Blyksėti {entity_name}", + "flash": "Blykstė", + "fifth_button": "Penktas mygtukas", + "sixth_button": "Šeštas mygtukas", + "subtype_continuously_pressed": "„ {subtype} “ nuolat spaudžiamas", + "trigger_type_button_long_release": "\"{subtype}\" išleistas po ilgo spaudimo", + "subtype_quadruple_clicked": "\"{subtype}\" keturgubas paspaudimas", + "subtype_quintuple_clicked": "\"{subtype}\" penkiaženklis paspaudė", + "subtype_pressed": "\"{subtype}\" spaudžiamas", + "subtype_released": "„ {subtype} “ išleistas", + "action_type_select_first": "Pakeiskite {entity_name} į pirmąją parinktį", + "action_type_select_last": "Pakeiskite {entity_name} į paskutinę parinktį", + "action_type_select_next": "Pakeiskite {entity_name} į kitą parinktį", + "change_entity_name_option": "Pakeiskite {entity_name} parinktį", + "action_type_select_previous": "Pakeiskite {entity_name} į ankstesnę parinktį", + "current_entity_name_selected_option": "Dabartinė pasirinkta parinktis {entity_name}", + "cycle": "Ciklas", + "from": "Iš", + "entity_name_option_changed": "{entity_name} parinktis pakeista", + "send_a_notification": "Siųsti pranešimą", + "both_buttons": "Abu mygtukai", + "bottom_buttons": "Apatiniai mygtukai", + "seventh_button": "Septintas mygtukas", + "eighth_button": "Aštuntas mygtukas", + "dim_down": "Pritemdyk", + "dim_up": "Pritemdyti", + "left": "Kairė", + "right": "Dešinė", + "side": "6 pusė", + "top_buttons": "Viršutiniai mygtukai", + "device_awakened": "Įrenginys pažadintas", + "trigger_type_remote_button_long_release": "„ {subtype} “ išleistas po ilgo paspaudimo", + "button_rotated_subtype": "Mygtukas pasuktas „ {subtype} “", + "button_rotated_fast_subtype": "Greitai pasuktas mygtukas \"{subtype}\"", + "button_rotation_subtype_stopped": "Mygtuko „ {subtype} “ sukimas sustabdytas", + "device_subtype_double_tapped": "Įrenginys „ {subtype} “ dukart paliestas", + "trigger_type_remote_double_tap_any_side": "Du kartus bakstelėkite prietaisą bet kurioje pusėje", + "device_in_free_fall": "Prietaisas laisvo kritimo metu", + "device_flipped_degrees": "Įrenginys apsivertė 90 laipsnių kampu", + "device_shaken": "Sukratytas įrenginys", + "trigger_type_remote_moved": "Įrenginys perkeltas su „ {subtype} “ aukštyn", + "trigger_type_remote_moved_any_side": "Įrenginys perkeltas bet kuria puse į viršų", + "trigger_type_remote_rotate_from_side": "Įrenginys pasuktas iš „6 pusės“ į „ {subtype} “", + "device_turned_clockwise": "Prietaisas pasuktas pagal laikrodžio rodyklę", + "device_turned_counter_clockwise": "Prietaisas pasuktas prieš laikrodžio rodyklę", "press_entity_name_button": "Paspauskite mygtuką {entity_name}", "entity_name_has_been_pressed": "{entity_name} buvo paspaustas", - "entity_name_battery_low": "{entity_name} baterija senka", - "entity_name_is_charging": "{entity_name} kraunasi", - "condition_type_is_co": "{entity_name} aptinka anglies monoksidą", - "entity_name_is_cold": "{entity_name} yra šaltas", - "entity_name_connected": "{entity_name} prijungtas", - "entity_name_is_detecting_gas": "{entity_name} aptinka dujas", - "entity_name_is_hot": "{entity_name} yra karštas", - "entity_name_is_detecting_light": "{entity_name} aptinka šviesą", - "entity_name_is_locked": "{entity_name} yra užrakintas", - "entity_name_is_moist": "{entity_name} yra drėgnas", - "entity_name_is_detecting_motion": "{entity_name} aptiko judesį", - "entity_name_is_moving": "{entity_name} juda", - "condition_type_is_no_co": "{entity_name} neaptinka anglies monoksido", - "condition_type_is_no_gas": "{entity_name} neaptinka dujų", - "condition_type_is_no_light": "{entity_name} neaptinka šviesos", - "condition_type_is_no_motion": "{entity_name} judesio nėra", - "condition_type_is_no_problem": "{entity_name} neaptinka problemos", - "condition_type_is_no_smoke": "{entity_name} neaptinka dūmų", - "condition_type_is_no_sound": "{entity_name} neaptinka garso", - "entity_name_is_up_to_date": "{entity_name} yra atnaujinta", - "condition_type_is_no_vibration": "{entity_name} neaptinka vibracijos", - "entity_name_battery_is_normal": "{entity_name} baterija yra normali", - "entity_name_not_charging": "{entity_name} neįkraunamas", - "entity_name_is_not_cold": "{entity_name} nėra šaltas", - "entity_name_is_unplugged": "{entity_name} yra atjungtas", - "entity_name_is_not_hot": "{entity_name} nėra karštas", - "entity_name_is_unlocked": "{entity_name} yra atrakintas", - "entity_name_is_dry": "{entity_name} yra sausas", - "entity_name_is_not_moving": "{entity_name} nejuda", - "entity_name_is_not_occupied": "{entity_name} nėra užimtas", - "entity_name_not_powered": "{entity_name} nėra maitinamas", - "entity_name_not_present": "{entity_name} nėra", - "entity_name_is_not_running": "{entity_name} neveikia", - "condition_type_is_not_tampered": "{entity_name} neaptinka klastojimo", - "entity_name_is_safe": "{entity_name} yra saugus", - "entity_name_is_occupied": "{entity_name} yra užimtas", - "entity_name_is_plugged_in": "{entity_name} yra prijungtas", - "entity_name_is_powered": "{entity_name} yra maitinamas", - "entity_name_present": "{entity_name} yra", - "entity_name_is_detecting_problem": "{entity_name} aptinka problemą", - "entity_name_is_running": "{entity_name} veikia", - "entity_name_is_detecting_smoke": "{entity_name} aptinka dūmus", - "entity_name_is_detecting_sound": "{entity_name} aptinka garsą", - "entity_name_is_detecting_tampering": "{entity_name} aptinka klastojimo", - "entity_name_is_unsafe": "{entity_name} yra nesaugus", - "entity_name_is_detecting_vibration": "{entity_name} aptinka vibraciją", - "entity_name_charging": "{entity_name} įkrovimas", - "trigger_type_co": "{entity_name} pradėjo aptikti anglies monoksidą", - "entity_name_became_cold": "{entity_name} tapo šalta", - "entity_name_started_detecting_gas": "{entity_name} pradėjo aptikti dujas", - "entity_name_became_hot": "{entity_name} tapo karšta", - "entity_name_started_detecting_light": "{entity_name} pradėjo aptikti šviesą", - "entity_name_became_moist": "{entity_name} tapo drėgnas", - "entity_name_started_detecting_motion": "{entity_name} pradėjo aptikti judesį", - "entity_name_started_moving": "{entity_name} pradėjo judėti", - "trigger_type_no_co": "{entity_name} nustojo aptikti anglies monoksidą", - "entity_name_stopped_detecting_gas": "{entity_name} nustojo aptikti dujas", - "entity_name_stopped_detecting_light": "{entity_name} nustojo aptikti šviesą", - "entity_name_stopped_detecting_motion": "{entity_name} nustojo aptikti judesį", - "entity_name_stopped_detecting_problem": "{entity_name} nustojo aptikti problemą", - "entity_name_stopped_detecting_smoke": "{entity_name} nustojo aptikti dūmus", - "entity_name_stopped_detecting_sound": "{entity_name} nustojo aptikti garsą", - "entity_name_stopped_detecting_vibration": "{entity_name} nustojo aptikti vibraciją", - "entity_name_battery_normal": "{entity_name} baterija normali", - "entity_name_became_not_cold": "{entity_name} tapo ne šaltas", - "entity_name_unplugged": "{entity_name} atjungtas", - "entity_name_became_not_hot": "{entity_name} tapo ne karštas", - "entity_name_unlocked": "{entity_name} atrakinta", - "entity_name_became_dry": "{entity_name} tapo sausas", - "entity_name_stopped_moving": "{entity_name} nustojo judėti", - "entity_name_became_not_occupied": "{entity_name} tapo neužimta", - "trigger_type_not_running": "{entity_name} nebeveikia", - "entity_name_stopped_detecting_tampering": "{entity_name} nustojo aptikti klastojimą", - "entity_name_became_safe": "{entity_name} tapo saugus", - "entity_name_became_occupied": "{entity_name} buvo užimtas", - "entity_name_powered": "{entity_name} maitinamas", - "entity_name_started_detecting_problem": "{entity_name} pradėjo aptikti problemą", - "entity_name_started_running": "{entity_name} pradėjo veikti", - "entity_name_started_detecting_smoke": "{entity_name} pradėjo aptikti dūmus", - "entity_name_started_detecting_sound": "{entity_name} pradėjo aptikti garsą", - "entity_name_started_detecting_tampering": "{entity_name} pradėjo aptikti klastojimą", - "entity_name_became_unsafe": "{entity_name} tapo nesaugus", - "entity_name_started_detecting_vibration": "{entity_name} pradėjo aptikti vibraciją", - "both_buttons": "Abu mygtukai", - "bottom_buttons": "Apatiniai mygtukai", - "seventh_button": "Septintas mygtukas", - "eighth_button": "Aštuntas mygtukas", - "dim_down": "Pritemdyk", - "dim_up": "Pritemdyti", - "left": "Kairė", - "right": "Dešinė", - "side": "6 pusė", - "top_buttons": "Viršutiniai mygtukai", - "device_awakened": "Įrenginys pažadintas", - "trigger_type_remote_button_long_release": "„ {subtype} “ išleistas po ilgo paspaudimo", - "button_rotated_subtype": "Mygtukas pasuktas „ {subtype} “", - "button_rotated_fast_subtype": "Greitai pasuktas mygtukas \"{subtype}\"", - "button_rotation_subtype_stopped": "Mygtuko „ {subtype} “ sukimas sustabdytas", - "device_subtype_double_tapped": "Įrenginys „ {subtype} “ dukart paliestas", - "trigger_type_remote_double_tap_any_side": "Du kartus bakstelėkite prietaisą bet kurioje pusėje", - "device_in_free_fall": "Prietaisas laisvo kritimo metu", - "device_flipped_degrees": "Įrenginys apsivertė 90 laipsnių kampu", - "device_shaken": "Sukratytas įrenginys", - "trigger_type_remote_moved": "Įrenginys perkeltas su „ {subtype} “ aukštyn", - "trigger_type_remote_moved_any_side": "Įrenginys perkeltas bet kuria puse į viršų", - "trigger_type_remote_rotate_from_side": "Įrenginys pasuktas iš „6 pusės“ į „ {subtype} “", - "device_turned_clockwise": "Prietaisas pasuktas pagal laikrodžio rodyklę", - "device_turned_counter_clockwise": "Prietaisas pasuktas prieš laikrodžio rodyklę", - "lock_entity_name": "Užrakinti {entity_name}", - "unlock_entity_name": "Atrakinti {entity_name}", - "critical": "Kritinis", - "debug": "Derinimas", - "warning": "Įspėjimas", + "entity_name_update_availability_changed": "{entity_name} naujinio prieinamumas", "add_to_queue": "Pridėti į eilę", "play_next": "Groti toliau", "options_replace": "Žaiskite dabar ir išvalykite eilę", "repeat_all": "Pakartokite viską", "repeat_one": "Pakartokite vieną", + "critical": "Kritinis", + "debug": "Derinimas", + "warning": "Įspėjimas", + "most_recently_updated": "Naujausia atnaujinta", + "arithmetic_mean": "Aritmetinis vidurkis", + "median": "Mediana", + "product": "Produktas", + "statistical_range": "Statistinis diapazonas", + "standard_deviation": "Standartinis nuokrypis", "alice_blue": "Alisa mėlyna", "antique_white": "Antikvariniai balti", "aquamarine": "Akvamarinas", @@ -2678,15 +2755,110 @@ "wheat": "Kviečiai", "white_smoke": "Balti dūmai", "yellow_green": "Geltona žalia", + "fatal": "Mirtinas", "no_state_class": "Nėra įrenginio klasės", "no_unit_of_measurement": "Nėra matavimo vieneto", - "fatal": "Mirtinas", - "most_recently_updated": "Naujausia atnaujinta", - "arithmetic_mean": "Aritmetinis vidurkis", - "median": "Mediana", - "product": "Produktas", - "statistical_range": "Statistinis diapazonas", - "standard_deviation": "Standartinis nuokrypis", + "dump_log_objects": "Išmeskite rąstų objektus", + "log_current_tasks_description": "Registruoja visas dabartines asinchronizavimo užduotis.", + "log_current_asyncio_tasks": "Užregistruokite dabartines asinchronines užduotis", + "log_event_loop_scheduled": "Suplanuotas žurnalo įvykių ciklas", + "log_thread_frames_description": "Registruoja dabartinius visų gijų kadrus.", + "log_thread_frames": "Rąstiniai siūlų rėmai", + "lru_stats_description": "Registruoja visų lru talpyklų statistiką.", + "log_lru_stats": "Žurnalo LRU statistika", + "starts_the_memory_profiler": "Paleidžia atminties profiliavimo programą.", + "seconds": "Sekundės", + "memory": "Atmintis", + "set_asyncio_debug_description": "Įgalinti arba išjungti asinchroninį derinimą.", + "enabled_description": "Ar įjungti ar išjungti asinchroninį derinimą.", + "set_asyncio_debug": "Nustatyti asinchroninį derinimą", + "starts_the_profiler": "Paleidžiamas profiliuotojas.", + "max_objects_description": "Didžiausias registruojamų objektų skaičius.", + "maximum_objects": "Maksimalūs objektai", + "scan_interval_description": "Sekundžių skaičius tarp registruojamų objektų.", + "scan_interval": "Nuskaitymo intervalas", + "start_logging_object_sources": "Pradėkite registruoti objektų šaltinius", + "start_log_objects_description": "Pradeda registruoti objektų augimą atmintyje.", + "start_logging_objects": "Pradėkite registruoti objektus", + "stop_logging_object_sources": "Sustabdykite objektų šaltinių registravimą", + "stop_log_objects_description": "Sustabdo objektų registravimo augimą atmintyje.", + "stop_logging_objects": "Sustabdykite objektų registravimą", + "request_sync_description": "„Google“ siunčia komandą request_sync.", + "agent_user_id": "Agento vartotojo ID", + "request_sync": "Prašyti sinchronizavimo", + "reload_resources_description": "Iš naujo įkelia prietaisų skydelio išteklius iš YAML konfigūracijos.", + "clears_all_log_entries": "Išvalo visus žurnalo įrašus.", + "clear_all": "Išvalyti viską", + "write_log_entry": "Rašyti žurnalo įrašą.", + "log_level": "Žurnalo lygis.", + "level": "Lygis", + "message_to_log": "Pranešimas prisijungti.", + "write": "Rašyti", + "set_value_description": "Nustato skaičiaus reikšmę.", + "value_description": "Konfigūracijos parametro reikšmė.", + "create_temporary_strict_connection_url_name": "Sukurkite laikiną griežto ryšio URL", + "toggles_the_siren_on_off": "Įjungia/išjungia sireną.", + "turns_the_siren_off": "Išjungia sireną.", + "turns_the_siren_on": "Įjungia sireną.", + "tone": "Tonas", + "create_event_description": "Pridėti naują kalendoriaus įvykį.", + "location_description": "Renginio vieta. Neprivaloma.", + "start_date_description": "Visą dieną trunkančio renginio pradžios data.", + "create_event": "Sukurti įvykį", + "get_events": "Gaukite įvykius", + "list_event": "Įvykio sąrašas", + "closes_a_cover": "Uždaro dangtelį.", + "close_cover_tilt_description": "Pakreipkite dangtelį, kad uždarytumėte.", + "close_tilt": "Uždaryti pakreipimą", + "opens_a_cover": "Atidaro dangtelį.", + "tilts_a_cover_open": "Atverčia dangtelį.", + "open_tilt": "Atidarykite pakreipimą", + "set_cover_position_description": "Perkelia dangtelį į tam tikrą vietą.", + "target_position": "Tikslinė padėtis.", + "set_position": "Nustatykite padėtį", + "target_tilt_positition": "Tikslinė pakreipimo padėtis.", + "set_tilt_position": "Nustatykite pakreipimo padėtį", + "stops_the_cover_movement": "Sustabdo dangtelio judėjimą.", + "stop_cover_tilt_description": "Sustabdo pakreipiamo dangčio judėjimą.", + "stop_tilt": "Sustabdyti pakreipimą", + "toggles_a_cover_open_closed": "Perjungia dangtelio atidarymą / uždarymą.", + "toggle_cover_tilt_description": "Perjungia dangtelio pakreipimą atidarant / uždarant.", + "toggle_tilt": "Perjungti pakreipimą", + "check_configuration": "Patikrinkite konfigūraciją", + "reload_all": "Įkelti viską iš naujo", + "reload_config_entry_description": "Iš naujo įkelia nurodytą konfigūracijos įrašą.", + "config_entry_id": "Konfigūracijos įrašo ID", + "reload_config_entry": "Iš naujo įkelti konfigūracijos įrašą", + "reload_core_config_description": "Iš naujo įkelia pagrindinę konfigūraciją iš YAML konfigūracijos.", + "reload_core_configuration": "Iš naujo įkelkite pagrindinę konfigūraciją", + "reload_custom_jinja_templates": "Iš naujo įkelkite tinkintus Jinja2 šablonus", + "restarts_home_assistant": "Iš naujo paleidžia \"Home Assistant\".", + "safe_mode_description": "Išjungti pasirinktines integracijas ir pasirinktines korteles.", + "save_persistent_states": "Išsaugokite nuolatines būsenas", + "set_location_description": "Atnaujina \"Home Assistant\" vietą.", + "elevation_of_your_location": "Jūsų vietos aukštis.", + "latitude_of_your_location": "Jūsų buvimo vietos platuma.", + "longitude_of_your_location": "Jūsų buvimo vietos ilguma.", + "set_location": "Nustatyti vietą", + "stops_home_assistant": "Sustabdo \"Home Assistant\".", + "generic_toggle": "Bendras perjungimas", + "generic_turn_off": "Bendras išjungimas", + "generic_turn_on": "Bendras įjungimas", + "update_entity": "Atnaujinti subjektą", + "creates_a_new_backup": "Sukuria naują atsarginę kopiją.", + "decrement_description": "Sumažina dabartinę vertę 1 žingsniu.", + "increment_description": "Padidina reikšmę 1 žingsniu.", + "sets_the_value": "Nustato vertę.", + "the_target_value": "Tikslinė vertė.", + "reloads_the_automation_configuration": "Iš naujo įkelia automatikos konfigūraciją.", + "toggle_description": "Įjungia / išjungia medijos grotuvą.", + "trigger_description": "Suaktyvina automatikos veiksmus.", + "skip_conditions": "Praleisti sąlygas", + "trigger": "Trigeris", + "disables_an_automation": "Išjungia automatiką.", + "stops_currently_running_actions": "Sustabdo šiuo metu vykdomus veiksmus.", + "stop_actions": "Sustabdyti veiksmus", + "enables_an_automation": "Įjungia automatizavimą.", "restarts_an_add_on": "Iš naujo paleidžia priedą.", "the_add_on_slug": "Papildomas priedas.", "restart_add_on": "Iš naujo paleiskite priedą.", @@ -2721,120 +2893,64 @@ "restore_partial_description": "Atkuriama iš dalinės atsarginės kopijos.", "restores_home_assistant": "Atkuria \"Home Assistant\".", "restore_from_partial_backup": "Atkurti iš dalinės atsarginės kopijos.", - "broadcast_address": "Transliacijos adresas", - "broadcast_port_description": "Prievadas, į kurį siunčiamas stebuklingasis paketas.", - "broadcast_port": "Transliacijos prievadas", - "mac_address": "MAC adresas", - "send_magic_packet": "Siųsti magišką paketą", - "command_description": "Komandą (-as), kurią (-ias) siųsti \"Google Assistant\".", - "command": "Komanda", - "media_player_entity": "Medijos grotuvo subjektas", - "send_text_command": "Siųsti teksto komandą", - "clear_tts_cache": "Išvalyti TTS talpyklą", - "entity_id_description": "Objektas, į kurį reikia kreiptis žurnalo įraše.", - "language_description": "Teksto kalba. Numatytoji serverio kalba.", - "options_description": "Žodynas su konkrečiomis integravimo parinktimis.", - "say_a_tts_message": "Pasakykite TTS pranešimą", - "media_player_entity_id_description": "Medijos leistuvai, skirti pranešimui paleisti.", - "speak": "Kalbėk", - "stops_a_running_script": "Sustabdo vykdomą scenarijų.", - "request_sync_description": "„Google“ siunčia komandą request_sync.", - "agent_user_id": "Agento vartotojo ID", - "request_sync": "Prašyti sinchronizavimo", - "sets_a_random_effect": "Nustato atsitiktinį efektą.", - "sequence_description": "HSV sekų sąrašas (maks. 16).", - "backgrounds": "Fonai", - "initial_brightness": "Pradinis ryškumas.", - "range_of_brightness": "Ryškumo diapazonas.", - "brightness_range": "Ryškumo diapazonas", - "fade_off": "Išnyksta", - "range_of_hue": "Atspalvių diapazonas.", - "hue_range": "Atspalvių diapazonas", - "initial_hsv_sequence": "Pradinė HSV seka.", - "initial_states": "Pradinės būsenos", - "random_seed": "Atsitiktinė sėkla", - "range_of_saturation": "Prisotinimo diapazonas.", - "saturation_range": "Sodrumo diapazonas", - "segments_description": "Segmentų sąrašas (0 visiems).", - "segments": "Segmentai", - "transition": "Perėjimas", - "range_of_transition": "Perėjimo diapazonas.", - "transition_range": "Perėjimo diapazonas", - "random_effect": "Atsitiktinis efektas", - "sets_a_sequence_effect": "Nustato sekos efektą.", - "repetitions_for_continuous": "Pakartojimai (0 nuolatiniam).", - "repetitions": "Pakartojimai", - "sequence": "Seka", - "speed_of_spread": "Plitimo greitis.", - "spread": "Plisti", - "sequence_effect": "Sekos efektas", - "check_configuration": "Patikrinkite konfigūraciją", - "reload_all": "Įkelti viską iš naujo", - "reload_config_entry_description": "Iš naujo įkelia nurodytą konfigūracijos įrašą.", - "config_entry_id": "Konfigūracijos įrašo ID", - "reload_config_entry": "Iš naujo įkelti konfigūracijos įrašą", - "reload_core_config_description": "Iš naujo įkelia pagrindinę konfigūraciją iš YAML konfigūracijos.", - "reload_core_configuration": "Iš naujo įkelkite pagrindinę konfigūraciją", - "reload_custom_jinja_templates": "Iš naujo įkelkite tinkintus Jinja2 šablonus", - "restarts_home_assistant": "Iš naujo paleidžia \"Home Assistant\".", - "safe_mode_description": "Išjungti pasirinktines integracijas ir pasirinktines korteles.", - "save_persistent_states": "Išsaugokite nuolatines būsenas", - "set_location_description": "Atnaujina \"Home Assistant\" vietą.", - "elevation_of_your_location": "Jūsų vietos aukštis.", - "latitude_of_your_location": "Jūsų buvimo vietos platuma.", - "longitude_of_your_location": "Jūsų buvimo vietos ilguma.", - "set_location": "Nustatyti vietą", - "stops_home_assistant": "Sustabdo \"Home Assistant\".", - "generic_toggle": "Bendras perjungimas", - "generic_turn_off": "Bendras išjungimas", - "generic_turn_on": "Bendras įjungimas", - "update_entity": "Atnaujinti subjektą", - "create_event_description": "Pridėti naują kalendoriaus įvykį.", - "location_description": "Renginio vieta. Neprivaloma.", - "start_date_description": "Visą dieną trunkančio renginio pradžios data.", - "create_event": "Sukurti įvykį", - "get_events": "Gaukite įvykius", - "list_event": "Įvykio sąrašas", - "toggles_a_switch_on_off": "Įjungia / išjungia jungiklį.", - "turns_a_switch_off": "Išjungia jungiklį.", - "turns_a_switch_on": "Įjungia jungiklį.", - "disables_the_motion_detection": "Išjungia judesio aptikimą.", - "disable_motion_detection": "Išjungti judesio aptikimą", - "enables_the_motion_detection": "Įjungia judesio aptikimą.", - "enable_motion_detection": "Įjungti judesio aptikimą", - "format_description": "Medijos grotuvo palaikomas srauto formatas.", - "format": "Formatas", - "media_player_description": "Medijos grotuvai, į kuriuos galima transliuoti.", - "play_stream": "Paleisti srautą", - "filename": "Failo pavadinimas", - "lookback": "Pažiūrėk atgal", - "snapshot_description": "Daro momentinę nuotrauką iš fotoaparato.", - "take_snapshot": "Padarykite momentinę nuotrauką", - "turns_off_the_camera": "Išjungia fotoaparatą.", - "turns_on_the_camera": "Įjungia fotoaparatą.", - "notify_description": "Siunčia pranešimo pranešimą pasirinktiems tikslams.", - "data": "Duomenys", - "message_description": "Pranešimo tekstas.", - "title_for_your_notification": "Jūsų pranešimo pavadinimas.", - "title_of_the_notification": "Pranešimo pavadinimas.", - "send_a_persistent_notification": "Siųsti nuolatinį pranešimą", - "sends_a_notification_message": "Išsiunčia pranešimo pranešimą.", - "your_notification_message": "Jūsų pranešimas.", - "title_description": "Pasirenkamas pranešimo pavadinimas.", - "creates_a_new_backup": "Sukuria naują atsarginę kopiją.", - "see_description": "Įrašo matytą sekamąjį įrenginį.", - "battery_description": "Įrenginio baterijos lygis.", - "gps_coordinates": "GPS koordinatės", - "gps_accuracy_description": "GPS koordinačių tikslumas.", - "hostname_of_the_device": "Įrenginio pagrindinio kompiuterio pavadinimas.", - "hostname": "Pagrindinio kompiuterio pavadinimas", - "mac_description": "Įrenginio MAC adresas.", - "see": "Matyti", - "log_description": "Sukuria pasirinktinį įrašą žurnale.", - "log": "Žurnalas", + "clears_the_playlist": "Išvalo grojaraštį.", + "clear_playlist": "Išvalyti grojaraštį", + "selects_the_next_track": "Pasirenkamas kitas takelis.", + "pauses": "Pauzės.", + "starts_playing": "Pradeda groti.", + "toggles_play_pause": "Perjungia atkūrimą / pristabdymą.", + "selects_the_previous_track": "Pasirenkamas ankstesnis takelis.", + "seek": "Ieškoti", + "stops_playing": "Nustoja groti.", + "starts_playing_specified_media": "Pradeda leisti nurodytą mediją.", + "publish": "Paskelbti", + "enqueue": "Eilė", + "repeat_mode_to_set": "Norėdami nustatyti, pakartokite režimą.", + "select_sound_mode_description": "Pasirenkamas konkretus garso režimas.", + "select_sound_mode": "Pasirinkite garso režimą", + "select_source": "Pasirinkite šaltinį", + "shuffle_description": "Nesvarbu, ar maišymo režimas įjungtas, ar ne.", + "unjoin": "Atsijungti", + "turns_down_the_volume": "Sumažina garsumą.", + "turn_down_volume": "Sumažinkite garsumą", + "volume_mute_description": "Nutildo arba įjungia medijos grotuvą.", + "is_volume_muted_description": "Nurodo, ar jis nutildytas, ar ne.", + "mute_unmute_volume": "Nutildyti / įjungti garsą", + "sets_the_volume_level": "Nustato garsumo lygį.", + "set_volume": "Nustatykite garsumą", + "turns_up_the_volume": "Padidina garsumą.", + "turn_up_volume": "Padidinkite garsumą", + "apply_filter": "Taikyti filtrą", + "days_to_keep": "Dienos išlaikyti", + "repack": "Perpakuoti", + "purge": "Išvalymas", + "domains_to_remove": "Domenai, kuriuos reikia pašalinti", + "entity_globs_to_remove": "Objekto gaubliai, kuriuos reikia pašalinti", + "entities_to_remove": "Pašalintini subjektai", + "purge_entities": "Išvalyti subjektus", + "decrease_speed_description": "Sumažina ventiliatoriaus greitį.", + "percentage_step_description": "Padidina greitį procentiniu žingsniu.", + "decrease_speed": "Sumažinti greitį", + "increase_speed_description": "Padidina ventiliatoriaus greitį.", + "increase_speed": "Padidinti greitį", + "oscillate_description": "Valdo ventiliatoriaus svyravimus.", + "turn_on_off_oscillation": "Įjungti / išjungti svyravimą.", + "set_direction_description": "Nustato ventiliatoriaus sukimosi kryptį.", + "direction_to_rotate": "Sukimosi kryptis.", + "set_direction": "Nustatyti kryptį", + "sets_the_fan_speed": "Nustato ventiliatoriaus greitį.", + "speed_of_the_fan": "Ventiliatoriaus greitis.", + "percentage": "Procentas", + "set_speed": "Nustatykite greitį", + "sets_preset_mode": "Nustato iš anksto nustatytą režimą.", + "set_preset_mode": "Nustatykite iš anksto nustatytą režimą", + "toggles_the_fan_on_off": "Įjungia/išjungia ventiliatorių.", + "turns_fan_off": "Išjungia ventiliatorių.", + "turns_fan_on": "Įjungia ventiliatorių.", "apply_description": "Suaktyvina sceną su konfigūracija.", "entities_description": "Subjektų sąrašas ir jų tikslinė būsena.", "entities_state": "Subjektų būsena", + "transition": "Perėjimas", "apply": "Taikyti", "creates_a_new_scene": "Sukuria naują sceną.", "scene_id_description": "Naujos scenos subjekto ID.", @@ -2842,6 +2958,121 @@ "snapshot_entities": "Momentinės nuotraukos subjektai", "delete_description": "Ištrina dinamiškai sukurtą sceną.", "activates_a_scene": "Suaktyvina sceną.", + "selects_the_first_option": "Pasirenkama pirmoji parinktis.", + "first": "Pirmas", + "selects_the_last_option": "Pasirenkama paskutinė parinktis.", + "select_the_next_option": "Pasirinkite kitą parinktį.", + "selects_an_option": "Pasirenka parinktį.", + "option_to_be_selected": "Galimybė pasirinkti.", + "selects_the_previous_option": "Pasirenkama ankstesnė parinktis.", + "sets_the_options": "Nustato parinktis.", + "list_of_options": "Pasirinkimų sąrašas.", + "set_options": "Nustatykite parinktis", + "closes_a_valve": "Uždaro vožtuvą.", + "opens_a_valve": "Atidaro vožtuvą.", + "set_valve_position_description": "Perkelia vožtuvą į tam tikrą padėtį.", + "stops_the_valve_movement": "Sustabdo vožtuvo judėjimą.", + "toggles_a_valve_open_closed": "Perjungia vožtuvo atidarymą / uždarymą.", + "load_url_description": "Įkelia URL visiškai kiosko naršyklėje.", + "url_to_load": "URL įkelti.", + "load_url": "Įkelti URL", + "configuration_parameter_to_set": "Nustatomas konfigūracijos parametras.", + "key": "Raktas", + "set_configuration": "Nustatyti konfigūraciją", + "application_description": "Paleidžiamos programos paketo pavadinimas.", + "application": "Taikomoji programa", + "start_application": "Pradėti programą", + "command_description": "Komandą (-as), kurią (-ias) siųsti \"Google Assistant\".", + "command": "Komanda", + "media_player_entity": "Medijos grotuvo subjektas", + "send_text_command": "Siųsti teksto komandą", + "code_description": "Kodas naudojamas užraktui atrakinti.", + "arm_with_custom_bypass": "Apsaugota su pasirinktine apsauga", + "alarm_arm_vacation_description": "Nustato žadintuvą į: _apsiginkluotą atostogoms_.", + "disarms_the_alarm": "Išjungia signalizaciją.", + "alarm_trigger_description": "Įjungia išorinį aliarmo paleidiklį.", + "extract_media_url_description": "Ištraukite medijos URL iš paslaugos.", + "format_query": "Formatuoti užklausą", + "url_description": "URL, kur galima rasti mediją.", + "media_url": "Medijos URL", + "get_media_url": "Gaukite medijos URL", + "play_media_description": "Atsisiunčia failą iš nurodyto URL.", + "sets_a_random_effect": "Nustato atsitiktinį efektą.", + "sequence_description": "HSV sekų sąrašas (maks. 16).", + "backgrounds": "Fonai", + "initial_brightness": "Pradinis ryškumas.", + "range_of_brightness": "Ryškumo diapazonas.", + "brightness_range": "Ryškumo diapazonas", + "fade_off": "Išnyksta", + "range_of_hue": "Atspalvių diapazonas.", + "hue_range": "Atspalvių diapazonas", + "initial_hsv_sequence": "Pradinė HSV seka.", + "initial_states": "Pradinės būsenos", + "random_seed": "Atsitiktinė sėkla", + "range_of_saturation": "Prisotinimo diapazonas.", + "saturation_range": "Sodrumo diapazonas", + "segments_description": "Segmentų sąrašas (0 visiems).", + "segments": "Segmentai", + "range_of_transition": "Perėjimo diapazonas.", + "transition_range": "Perėjimo diapazonas", + "random_effect": "Atsitiktinis efektas", + "sets_a_sequence_effect": "Nustato sekos efektą.", + "repetitions_for_continuous": "Pakartojimai (0 nuolatiniam).", + "repetitions": "Pakartojimai", + "sequence": "Seka", + "speed_of_spread": "Plitimo greitis.", + "spread": "Plisti", + "sequence_effect": "Sekos efektas", + "press_the_button_entity": "Paspauskite mygtuko objektą.", + "see_description": "Įrašo matytą sekamąjį įrenginį.", + "battery_description": "Įrenginio baterijos lygis.", + "gps_coordinates": "GPS koordinatės", + "gps_accuracy_description": "GPS koordinačių tikslumas.", + "hostname_of_the_device": "Įrenginio pagrindinio kompiuterio pavadinimas.", + "hostname": "Pagrindinio kompiuterio pavadinimas", + "mac_description": "Įrenginio MAC adresas.", + "mac_address": "MAC adresas", + "see": "Matyti", + "process_description": "Paleidžia pokalbį iš transkribuoto teksto.", + "agent": "Agentas", + "conversation_id": "Pokalbio ID", + "language_description": "Kalba, naudojama kalbai generuoti.", + "transcribed_text_input": "Transkribuoto teksto įvestis.", + "process": "Procesas", + "reloads_the_intent_configuration": "Iš naujo įkeliama tikslo konfigūracija.", + "conversation_agent_to_reload": "Pokalbių agentas, kurį reikia įkelti iš naujo.", + "create_description": "Rodo pranešimą skydelyje **Pranešimai**.", + "message_description": "Žurnalo įrašo pranešimas.", + "notification_id": "Pranešimo ID", + "title_description": "Pavadinimas tavo pranešimo žinutės", + "dismiss_description": "Pašalina pranešimą iš skydelio **Pranešimai**.", + "notification_id_description": "Pašalintino pranešimo ID.", + "dismiss_all_description": "Pašalina visus pranešimus iš skydelio **Pranešimai**.", + "notify_description": "Siunčia pranešimo pranešimą pasirinktiems tikslams.", + "data": "Duomenys", + "title_for_your_notification": "Jūsų pranešimo pavadinimas.", + "title_of_the_notification": "Pranešimo pavadinimas.", + "send_a_persistent_notification": "Siųsti nuolatinį pranešimą", + "sends_a_notification_message": "Išsiunčia pranešimo pranešimą.", + "your_notification_message": "Jūsų pranešimas.", + "device_description": "Įrenginio ID, į kurį reikia siųsti komandą.", + "delete_command": "Ištrinti komandą", + "alternative": "Alternatyva", + "command_type_description": "Komandos, kurią reikia išmokti, tipas.", + "command_type": "Komandos tipas", + "timeout_description": "Laikas, per kurį komanda bus išmokta.", + "learn_command": "Išmokite komandą", + "delay_seconds": "Vėlavimas sekundėmis", + "hold_seconds": "Palaukite sekundes", + "repeats": "Pasikartoja", + "send_command": "Siųsti komandą", + "toggles_a_device_on_off": "Įjungia / išjungia įrenginį.", + "turns_the_device_off": "Išjungia įrenginį.", + "turn_on_description": "Siunčia įjungimo komandą.", + "stops_a_running_script": "Sustabdo vykdomą scenarijų.", + "locks_a_lock": "Užrakina spyną.", + "opens_a_lock": "Atidaro spyną.", + "unlocks_a_lock": "Atrakina spyną.", "turns_auxiliary_heater_on_off": "Įjungia/išjungia papildomą šildytuvą.", "aux_heat_description": "Nauja pagalbinio šildytuvo vertė.", "auxiliary_heating": "Pagalbinis šildymas", @@ -2853,10 +3084,7 @@ "set_target_humidity": "Nustatykite tikslinę drėgmę", "sets_hvac_operation_mode": "Nustato HVAC veikimo režimą.", "hvac_operation_mode": "HVAC veikimo režimas.", - "hvac_mode": "HVAC režimas", "set_hvac_mode": "Nustatykite HVAC režimą", - "sets_preset_mode": "Nustato iš anksto nustatytą režimą.", - "set_preset_mode": "Nustatykite iš anksto nustatytą režimą", "sets_swing_operation_mode": "Nustatomas siūbavimo režimas.", "swing_operation_mode": "Svyravimo veikimo režimas.", "set_swing_mode": "Nustatykite siūbavimo režimą", @@ -2868,260 +3096,98 @@ "set_target_temperature": "Nustatykite tikslinę temperatūrą", "turns_climate_device_off": "Išjungia klimato įrenginį.", "turns_climate_device_on": "Įjungia klimato įrenginį.", - "clears_all_log_entries": "Išvalo visus žurnalo įrašus.", - "clear_all": "Išvalyti viską", - "write_log_entry": "Rašyti žurnalo įrašą.", - "log_level": "Žurnalo lygis.", - "level": "Lygis", - "message_to_log": "Pranešimas prisijungti.", - "write": "Rašyti", - "device_description": "Įrenginio ID, į kurį reikia siųsti komandą.", - "delete_command": "Ištrinti komandą", - "alternative": "Alternatyva", - "command_type_description": "Komandos, kurią reikia išmokti, tipas.", - "command_type": "Komandos tipas", - "timeout_description": "Laikas, per kurį komanda bus išmokta.", - "learn_command": "Išmokite komandą", - "delay_seconds": "Vėlavimas sekundėmis", - "hold_seconds": "Palaukite sekundes", - "repeats": "Pasikartoja", - "send_command": "Siųsti komandą", - "toggles_a_device_on_off": "Įjungia / išjungia įrenginį.", - "turns_the_device_off": "Išjungia įrenginį.", - "turn_on_description": "Siunčia įjungimo komandą.", - "clears_the_playlist": "Išvalo grojaraštį.", - "clear_playlist": "Išvalyti grojaraštį", - "selects_the_next_track": "Pasirenkamas kitas takelis.", - "pauses": "Pauzės.", - "starts_playing": "Pradeda groti.", - "toggles_play_pause": "Perjungia atkūrimą / pristabdymą.", - "selects_the_previous_track": "Pasirenkamas ankstesnis takelis.", - "seek": "Ieškoti", - "stops_playing": "Nustoja groti.", - "starts_playing_specified_media": "Pradeda leisti nurodytą mediją.", - "publish": "Paskelbti", - "enqueue": "Eilė", - "repeat_mode_to_set": "Norėdami nustatyti, pakartokite režimą.", - "select_sound_mode_description": "Pasirenkamas konkretus garso režimas.", - "select_sound_mode": "Pasirinkite garso režimą", - "select_source": "Pasirinkite šaltinį", - "shuffle_description": "Nesvarbu, ar maišymo režimas įjungtas, ar ne.", - "toggle_description": "Perjungia (įjungia / išjungia) automatizavimą.", - "unjoin": "Atsijungti", - "turns_down_the_volume": "Sumažina garsumą.", - "turn_down_volume": "Sumažinkite garsumą", - "volume_mute_description": "Nutildo arba įjungia medijos grotuvą.", - "is_volume_muted_description": "Nurodo, ar jis nutildytas, ar ne.", - "mute_unmute_volume": "Nutildyti / įjungti garsą", - "sets_the_volume_level": "Nustato garsumo lygį.", - "set_volume": "Nustatykite garsumą", - "turns_up_the_volume": "Padidina garsumą.", - "turn_up_volume": "Padidinkite garsumą", - "topic_to_listen_to": "Tema, kurios reikia klausytis.", - "export": "Eksportuoti", - "publish_description": "Paskelbia pranešimą MQTT tema.", - "the_payload_to_publish": "Naudinga apkrova, kurią reikia paskelbti.", - "payload": "Naudinga apkrova", - "payload_template": "Naudingos apkrovos šablonas", - "qos": "QoS", - "retain": "Išlaikyti", - "topic_to_publish_to": "Tema, į kurią skelbti.", + "add_event_description": "Prideda naują kalendoriaus įvykį.", + "calendar_id_description": "Norimo kalendoriaus ID.", + "calendar_id": "Kalendoriaus ID", + "description_description": "Renginio aprašymas. Neprivaloma.", + "summary_description": "Veikia kaip renginio pavadinimas.", + "creates_event": "Sukuria įvykį", + "dashboard_path": "Prietaisų skydelio kelias", + "view_path": "Žiūrėti kelią", + "show_dashboard_view": "Rodyti prietaisų skydelio vaizdą", "brightness_value": "Ryškumo vertė", "a_human_readable_color_name": "Žmonėms įskaitomas spalvos pavadinimas.", "color_name": "Spalvos pavadinimas", "color_temperature_in_mireds": "Spalvos temperatūra mireduose.", "light_effect": "Šviesos efektas.", - "flash": "Blykstė", - "hue_sat_color": "Hue/Sat spalva", + "hue_sat_color": "Atspalvis / soties spalva", "color_temperature_in_kelvin": "Spalvos temperatūra Kelvinais.", "profile_description": "Naudotino šviesos profilio pavadinimas.", + "rgbw_color": "RGBW spalva", + "rgbww_color": "RGBWW spalva", "white_description": "Nustatykite šviesą į baltą režimą.", "xy_color": "XY spalvos", "turn_off_description": "Išjunkite vieną ar daugiau šviesų.", - "brightness_step_description": "Pakeiskite ryškumą tam tikru kiekiu.", + "brightness_step_description": "Pakeiskite ryškumą tam tikru dydžiu.", "brightness_step_value": "Ryškumo žingsnio vertė", "brightness_step_pct_description": "Pakeiskite ryškumą procentais.", "brightness_step": "Ryškumo žingsnis", - "rgbw_color": "RGBW spalva", - "rgbww_color": "RGBWW spalva", - "reloads_the_automation_configuration": "Iš naujo įkelia automatikos konfigūraciją.", - "trigger_description": "Suaktyvina automatikos veiksmus.", - "skip_conditions": "Praleisti sąlygas", - "trigger": "Trigeris", - "disables_an_automation": "Išjungia automatiką.", - "stops_currently_running_actions": "Sustabdo šiuo metu vykdomus veiksmus.", - "stop_actions": "Sustabdyti veiksmus", - "enables_an_automation": "Įjungia automatizavimą.", - "dashboard_path": "Prietaisų skydelio kelias", - "view_path": "Žiūrėti kelią", - "show_dashboard_view": "Rodyti prietaisų skydelio vaizdą", - "toggles_the_siren_on_off": "Įjungia/išjungia sireną.", - "turns_the_siren_off": "Išjungia sireną.", - "turns_the_siren_on": "Įjungia sireną.", - "tone": "Tonas", - "extract_media_url_description": "Ištraukite medijos URL iš paslaugos.", - "format_query": "Formatuoti užklausą", - "url_description": "URL, kur galima rasti mediją.", - "media_url": "Medijos URL", - "get_media_url": "Gaukite medijos URL", - "play_media_description": "Atsisiunčia failą iš nurodyto URL.", - "removes_a_group": "Pašalina grupę.", - "object_id": "Objekto ID", - "creates_updates_a_user_group": "Sukuria/atnaujina vartotojų grupę.", - "add_entities": "Pridėti objektus", - "icon_description": "Grupės piktogramos pavadinimas.", - "name_of_the_group": "Grupės pavadinimas.", - "remove_entities": "Pašalinti subjektus", - "selects_the_first_option": "Pasirenkama pirmoji parinktis.", - "first": "Pirmas", - "selects_the_last_option": "Pasirenkama paskutinė parinktis.", + "topic_to_listen_to": "Tema, kurios reikia klausytis.", + "export": "Eksportuoti", + "publish_description": "Paskelbia pranešimą MQTT tema.", + "the_payload_to_publish": "Naudinga apkrova, kurią reikia paskelbti.", + "payload": "Naudinga apkrova", + "payload_template": "Naudingos apkrovos šablonas", + "qos": "QoS", + "retain": "Išlaikyti", + "topic_to_publish_to": "Tema, į kurią skelbti.", "selects_the_next_option": "Pasirenka kitą parinktį.", - "cycle": "Ciklas", - "selects_an_option": "Pasirenkama parinktis.", - "selects_the_previous_option": "Pasirenkama ankstesnė parinktis.", - "create_description": "Rodo pranešimą skydelyje **Pranešimai**.", - "notification_id": "Pranešimo ID", - "dismiss_description": "Pašalina pranešimą iš skydelio **Pranešimai**.", - "notification_id_description": "Pašalintino pranešimo ID.", - "dismiss_all_description": "Pašalina visus pranešimus iš skydelio **Pranešimai**.", - "cancels_a_timer": "Atšaukia laikmatį.", - "changes_a_timer": "Keičia laikmatį.", - "finishes_a_timer": "Užbaigia laikmatį.", - "pauses_a_timer": "Sustabdo laikmatį.", - "starts_a_timer": "Paleidžia laikmatį.", - "duration_description": "Trukmė, kurios reikia, kad laikmatis baigtųsi. [neprivaloma].", - "select_the_next_option": "Pasirinkite kitą parinktį.", - "sets_the_options": "Nustato parinktis.", - "list_of_options": "Pasirinkimų sąrašas.", - "set_options": "Nustatykite parinktis", - "clear_skipped_update": "Išvalyti praleistą naujinimą", - "install_update": "Įdiekite naujinimą", - "skip_description": "Šiuo metu pasiekiamą naujinį pažymi kaip praleistą.", - "skip_update": "Praleisti atnaujinimą", - "set_default_level_description": "Nustato numatytąjį integracijų žurnalo lygį.", - "level_description": "Numatytasis visų integracijų sunkumo lygis.", - "set_default_level": "Nustatykite numatytąjį lygį", - "set_level": "Nustatykite lygį", - "create_temporary_strict_connection_url_name": "Sukurkite laikiną griežto ryšio URL", - "remote_connect": "Nuotolinis ryšys", - "remote_disconnect": "Nuotolinis atjungimas", - "set_value_description": "Nustato skaičiaus reikšmę.", - "value_description": "Konfigūracijos parametro reikšmė.", - "value": "Vertė", - "closes_a_cover": "Uždaro dangtelį.", - "close_cover_tilt_description": "Pakreipkite dangtelį, kad uždarytumėte.", - "close_tilt": "Uždaryti pakreipimą", - "opens_a_cover": "Atidaro dangtelį.", - "tilts_a_cover_open": "Atverčia dangtelį.", - "open_tilt": "Atidarykite pakreipimą", - "set_cover_position_description": "Perkelia dangtelį į tam tikrą vietą.", - "target_position": "Tikslinė padėtis.", - "set_position": "Nustatykite padėtį", - "target_tilt_positition": "Tikslinė pakreipimo padėtis.", - "set_tilt_position": "Nustatykite pakreipimo padėtį", - "stops_the_cover_movement": "Sustabdo dangtelio judėjimą.", - "stop_cover_tilt_description": "Sustabdo pakreipiamo dangčio judėjimą.", - "stop_tilt": "Sustabdyti pakreipimą", - "toggles_a_cover_open_closed": "Perjungia dangtelio atidarymą / uždarymą.", - "toggle_cover_tilt_description": "Perjungia dangtelio pakreipimą atidarant / uždarant.", - "toggle_tilt": "Perjungti pakreipimą", - "toggles_the_helper_on_off": "Įjungia / išjungia pagalbininką.", - "turns_off_the_helper": "Išjungia pagalbininką.", - "turns_on_the_helper": "Įjungia pagalbininką.", - "decrement_description": "Sumažina dabartinę vertę 1 žingsniu.", - "increment_description": "Padidina reikšmę 1 žingsniu.", - "sets_the_value": "Nustato vertę.", - "the_target_value": "Tikslinė vertė.", - "dump_log_objects": "Išmeskite rąstų objektus", - "log_current_tasks_description": "Registruoja visas dabartines asinchronizavimo užduotis.", - "log_current_asyncio_tasks": "Užregistruokite dabartines asinchronines užduotis", - "log_event_loop_scheduled": "Suplanuotas žurnalo įvykių ciklas", - "log_thread_frames_description": "Registruoja dabartinius visų gijų kadrus.", - "log_thread_frames": "Rąstiniai siūlų rėmai", - "lru_stats_description": "Registruoja visų lru talpyklų statistiką.", - "log_lru_stats": "Žurnalo LRU statistika", - "starts_the_memory_profiler": "Paleidžia atminties profiliavimo programą.", - "seconds": "Sekundės", - "memory": "Atmintis", - "set_asyncio_debug_description": "Įgalinti arba išjungti asinchroninį derinimą.", - "enabled_description": "Ar įjungti ar išjungti asinchroninį derinimą.", - "set_asyncio_debug": "Nustatyti asinchroninį derinimą", - "starts_the_profiler": "Paleidžiamas profiliuotojas.", - "max_objects_description": "Didžiausias registruojamų objektų skaičius.", - "maximum_objects": "Maksimalūs objektai", - "scan_interval_description": "Sekundžių skaičius tarp registruojamų objektų.", - "scan_interval": "Nuskaitymo intervalas", - "start_logging_object_sources": "Pradėkite registruoti objektų šaltinius", - "start_log_objects_description": "Pradeda registruoti objektų augimą atmintyje.", - "start_logging_objects": "Pradėkite registruoti objektus", - "stop_logging_object_sources": "Sustabdykite objektų šaltinių registravimą", - "stop_log_objects_description": "Sustabdo objektų registravimo augimą atmintyje.", - "stop_logging_objects": "Sustabdykite objektų registravimą", - "process_description": "Paleidžia pokalbį iš transkribuoto teksto.", - "agent": "Agentas", - "conversation_id": "Pokalbio ID", - "transcribed_text_input": "Transkribuoto teksto įvestis.", - "process": "Procesas", - "reloads_the_intent_configuration": "Iš naujo įkeliama tikslo konfigūracija.", - "conversation_agent_to_reload": "Pokalbių agentas, kurį reikia įkelti iš naujo.", - "apply_filter": "Taikyti filtrą", - "days_to_keep": "Dienos išlaikyti", - "repack": "Perpakuoti", - "purge": "Išvalymas", - "domains_to_remove": "Domenai, kuriuos reikia pašalinti", - "entity_globs_to_remove": "Objekto gaubliai, kuriuos reikia pašalinti", - "entities_to_remove": "Pašalintini subjektai", - "purge_entities": "Išvalyti subjektus", - "reload_resources_description": "Iš naujo įkelia prietaisų skydelio išteklius iš YAML konfigūracijos.", + "ptz_move_description": "Perkelkite fotoaparatą tam tikru greičiu.", + "ptz_move_speed": "PTZ judėjimo greitis.", + "ptz_move": "PTZ judėjimas", + "log_description": "Sukuria pasirinktinį įrašą žurnale.", + "entity_id_description": "Medijos grotuvai, norėdami paleisti pranešimą.", + "log": "Žurnalas", + "toggles_a_switch_on_off": "Įjungia / išjungia jungiklį.", + "turns_a_switch_off": "Išjungia jungiklį.", + "turns_a_switch_on": "Įjungia jungiklį.", "reload_themes_description": "Perkrauna temas iš YAML konfigūracijos.", "reload_themes": "Perkrauti temas", "name_of_a_theme": "Temos pavadinimas.", "set_the_default_theme": "Nustatykite numatytąją temą", + "toggles_the_helper_on_off": "Įjungia / išjungia pagalbininką.", + "turns_off_the_helper": "Išjungia pagalbininką.", + "turns_on_the_helper": "Įjungia pagalbininką.", "decrements_a_counter": "Sumažina skaitiklį.", "increments_a_counter": "Padidina skaitiklį.", "resets_a_counter": "Iš naujo nustato skaitiklį.", "sets_the_counter_value": "Nustato skaitiklio reikšmę.", - "code_description": "Kodas naudojamas užraktui atrakinti.", - "arm_with_custom_bypass": "Apsaugota su pasirinktine apsauga", - "alarm_arm_vacation_description": "Nustato žadintuvą į: _apsiginkluotą atostogoms_.", - "disarms_the_alarm": "Išjungia signalizaciją.", - "alarm_trigger_description": "Įjungia išorinį aliarmo paleidiklį.", + "remote_connect": "Nuotolinis ryšys", + "remote_disconnect": "Nuotolinis atjungimas", "get_weather_forecast": "Gaukite orų prognozę.", "type_description": "Prognozės tipas: kasdien, kas valandą arba du kartus per dieną.", "forecast_type": "Prognozės tipas", "get_forecast": "Gaukite prognozę", "get_weather_forecasts": "Gaukite orų prognozes.", "get_forecasts": "Gaukite prognozes", - "load_url_description": "Įkelia URL visiškai kiosko naršyklėje.", - "url_to_load": "URL įkelti.", - "load_url": "Įkelti URL", - "configuration_parameter_to_set": "Nustatomas konfigūracijos parametras.", - "key": "Raktas", - "set_configuration": "Nustatyti konfigūraciją", - "application_description": "Paleidžiamos programos paketo pavadinimas.", - "application": "Taikomoji programa", - "start_application": "Pradėti programą", - "decrease_speed_description": "Sumažina ventiliatoriaus greitį.", - "percentage_step_description": "Padidina greitį procentiniu žingsniu.", - "decrease_speed": "Sumažinti greitį", - "increase_speed_description": "Padidina ventiliatoriaus greitį.", - "increase_speed": "Padidinti greitį", - "oscillate_description": "Valdo ventiliatoriaus svyravimus.", - "turn_on_off_oscillation": "Įjungti / išjungti svyravimą.", - "set_direction_description": "Nustato ventiliatoriaus sukimosi kryptį.", - "direction_to_rotate": "Sukimosi kryptis.", - "set_direction": "Nustatyti kryptį", - "sets_the_fan_speed": "Nustato ventiliatoriaus greitį.", - "speed_of_the_fan": "Ventiliatoriaus greitis.", - "percentage": "Procentas", - "set_speed": "Nustatykite greitį", - "toggles_the_fan_on_off": "Įjungia/išjungia ventiliatorių.", - "turns_fan_off": "Išjungia ventiliatorių.", - "turns_fan_on": "Įjungia ventiliatorių.", - "locks_a_lock": "Užrakina spyną.", - "opens_a_lock": "Atidaro spyną.", - "unlocks_a_lock": "Atrakina spyną.", - "press_the_button_entity": "Paspauskite mygtuko objektą.", + "disables_the_motion_detection": "Išjungia judesio aptikimą.", + "disable_motion_detection": "Išjungti judesio aptikimą", + "enables_the_motion_detection": "Įjungia judesio aptikimą.", + "enable_motion_detection": "Įjungti judesio aptikimą", + "format_description": "Medijos grotuvo palaikomas srauto formatas.", + "format": "Formatas", + "media_player_description": "Medijos grotuvai, į kuriuos galima transliuoti.", + "play_stream": "Paleisti srautą", + "filename": "Failo pavadinimas", + "lookback": "Pažiūrėk atgal", + "snapshot_description": "Daro momentinę nuotrauką iš fotoaparato.", + "take_snapshot": "Padarykite momentinę nuotrauką", + "turns_off_the_camera": "Išjungia fotoaparatą.", + "turns_on_the_camera": "Įjungia fotoaparatą.", + "clear_tts_cache": "Išvalyti TTS talpyklą", + "options_description": "Žodynas su konkrečiomis integravimo parinktimis.", + "say_a_tts_message": "Pasakykite TTS pranešimą", + "media_player_entity_id_description": "Medijos leistuvai, skirti pranešimui paleisti.", + "speak": "Kalbėk", + "broadcast_address": "Transliacijos adresas", + "broadcast_port_description": "Prievadas, į kurį siunčiamas stebuklingasis paketas.", + "broadcast_port": "Transliacijos prievadas", + "send_magic_packet": "Siųsti magišką paketą", + "set_datetime_description": "Nustato datą ir (arba) laiką.", + "the_target_date": "Tikslinė data.", + "datetime_description": "Tikslinė data & laikas.", + "date_time": "Data & laikas", + "the_target_time": "Tikslinis laikas.", "bridge_identifier": "Tilto identifikatorius", "configuration_payload": "Konfigūracijos naudingoji apkrova", "entity_description": "Nurodo konkretų įrenginio galinį tašką deCONZ.", @@ -3130,23 +3196,25 @@ "device_refresh_description": "Atnaujina turimus deCONZ įrenginius.", "device_refresh": "Įrenginio atnaujinimas", "remove_orphaned_entries": "Pašalinti našlaičių įrašus", - "closes_a_valve": "Uždaro vožtuvą.", - "opens_a_valve": "Atidaro vožtuvą.", - "set_valve_position_description": "Perkelia vožtuvą į tam tikrą padėtį.", - "stops_the_valve_movement": "Sustabdo vožtuvo judėjimą.", - "toggles_a_valve_open_closed": "Perjungia vožtuvo atidarymą / uždarymą.", - "add_event_description": "Prideda naują kalendoriaus įvykį.", - "calendar_id_description": "Norimo kalendoriaus ID.", - "calendar_id": "Kalendoriaus ID", - "description_description": "Renginio aprašymas. Neprivaloma.", - "summary_description": "Veikia kaip renginio pavadinimas.", - "creates_event": "Sukuria įvykį", - "ptz_move_description": "Perkelkite fotoaparatą tam tikru greičiu.", - "ptz_move_speed": "PTZ judėjimo greitis.", - "ptz_move": "PTZ judėjimas", - "set_datetime_description": "Nustato datą ir (arba) laiką.", - "the_target_date": "Tikslinė data.", - "datetime_description": "Tikslinė data & laikas.", - "date_time": "Data & laikas", - "the_target_time": "Tikslinis laikas." + "removes_a_group": "Pašalina grupę.", + "object_id": "Objekto ID", + "creates_updates_a_user_group": "Sukuria/atnaujina vartotojų grupę.", + "add_entities": "Pridėti objektus", + "icon_description": "Grupės piktogramos pavadinimas.", + "name_of_the_group": "Grupės pavadinimas.", + "remove_entities": "Pašalinti subjektus", + "cancels_a_timer": "Atšaukia laikmatį.", + "changes_a_timer": "Keičia laikmatį.", + "finishes_a_timer": "Užbaigia laikmatį.", + "pauses_a_timer": "Sustabdo laikmatį.", + "starts_a_timer": "Paleidžia laikmatį.", + "duration_description": "Trukmė, kurios reikia, kad laikmatis baigtųsi. [neprivaloma].", + "set_default_level_description": "Nustato numatytąjį integracijų žurnalo lygį.", + "level_description": "Numatytasis visų integracijų sunkumo lygis.", + "set_default_level": "Nustatykite numatytąjį lygį", + "set_level": "Nustatykite lygį", + "clear_skipped_update": "Išvalyti praleistą naujinimą", + "install_update": "Įdiekite naujinimą", + "skip_description": "Šiuo metu pasiekiamą naujinį pažymi kaip praleistą.", + "skip_update": "Praleisti atnaujinimą" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/lv/lv.json b/packages/core/src/hooks/useLocale/locales/lv/lv.json index 1b1a9e4..97556a2 100644 --- a/packages/core/src/hooks/useLocale/locales/lv/lv.json +++ b/packages/core/src/hooks/useLocale/locales/lv/lv.json @@ -1,7 +1,7 @@ { "energy": "Enerģija", "calendar": "Kalendārs", - "settings": "Iestatījumi", + "settings": "Settings", "overview": "Pārskats", "map": "Map", "logbook": "Logbook", @@ -30,7 +30,7 @@ "users": "Lietotāji", "read_only_users": "Lietotāji ar tiesībām tikai lasīt", "user": "User", - "integration": "Integrācija", + "integration": "Integrācijas", "config_entry": "Konfigurēt Ierakstu", "device": "Device", "upload_backup": "Augšupielādēt rezerves dublējumu", @@ -107,7 +107,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Pārlūkot multivides", @@ -139,7 +139,7 @@ "option": "Option", "installing": "Uzstādīšana", "installing_progress": "Uzstādīšana ({progress}%)", - "up_to_date": "Aktuāls", + "up_to_date": "Up-to-date", "empty_value": "(vērtība nav norādīta)", "start": "Start", "finish": "Finish", @@ -185,6 +185,7 @@ "loading": "Ielādē…", "refresh": "Atsvaidzināt", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Dublēt karti", "remove": "Remove", @@ -205,8 +206,8 @@ "rename": "Pārdēvēt", "search": "Search", "ok": "Labi", - "yes": "Jā", - "no": "Nē", + "yes": "Yes", + "no": "No", "not_now": "Ne tagad", "skip": "Izlaist", "menu": "Izvēlne", @@ -227,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Augšupielāde neizdevās", "unknown_file": "Nezināms fails", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Platums", "longitude": "Garums", "radius": "Radius", @@ -240,6 +244,7 @@ "date_and_time": "Datums un laiks", "duration": "Duration", "entity": "Entity", + "floor": "Stāvs", "icon": "Icon", "location": "Location", "number": "Skaitlis", @@ -278,6 +283,7 @@ "was_opened": "tika atvērta", "was_closed": "tika aizvērta", "is_opening": "tiek atvērta", + "is_opened": "is opened", "is_closing": "tiek aizvērta", "was_unlocked": "bija atslēgta", "was_locked": "tika bloķēta", @@ -326,10 +332,13 @@ "sort_by_sortcolumn": "Kārtot pēc {sortColumn}", "group_by_groupcolumn": "Grupēt pēc {groupColumn}", "don_t_group": "Negrupēt", + "collapse_all": "Sakļaut visu", + "expand_all": "Izvērst visu", "selected_selected": "Izvēlēti {selected}", "close_selection_mode": "Aizvērt izvēles režīmu", "select_all": "Izvēlēties visus", "select_none": "Izvēlēties nevienu", + "customize_table": "Customize table", "conversation_agent": "Sarunu aģents", "none": "Nav", "country": "Country", @@ -339,7 +348,7 @@ "no_theme": "Nav tēmas", "language": "Language", "no_languages_available": "Nav pieejamas Valodas", - "text_to_speech": "Teksta pārvēršana runā", + "text_to_speech": "Text to speech", "voice": "Balss", "no_user": "Nav lietotāja", "add_user": "Pievienot lietotāju", @@ -379,7 +388,6 @@ "ui_components_area_picker_add_dialog_text": "Ievadiet jaunā apgabala nosaukumu.", "ui_components_area_picker_add_dialog_title": "Pievienot jaunu apgabalu", "show_floors": "Rādīt stāvus", - "floor": "Stāvs", "add_new_floor_name": "Pievienot jaunu stāvu ''{name}''", "add_new_floor": "Pievienot jaunu stāvu...", "floor_picker_no_floors": "Jums nav neviena stāva", @@ -415,7 +423,7 @@ "uploading_name": "{name} augšupielāde", "add_file": "Pievienot failu", "file_upload_secondary": "Vai arī pārvelciet failu šeit", - "image": "Attēls", + "picture": "Attēls", "change_picture": "Mainīt attēlu", "current_picture": "Pašreizējais attēls", "picture_upload_supported_formats": "Atbalsta JPEG, PNG vai GIF attēlus.", @@ -459,6 +467,9 @@ "last_month": "Pagājušajā mēnesī", "this_year": "Šogad", "last_year": "Pagājušais gads", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Nekad", "history_integration_disabled": "Vēstures integrācija ir atspējota", "loading_state_history": "Vēsturiskie ieraksti par stāvokli tiek ielādēti...", @@ -490,6 +501,10 @@ "filtering_by": "Filtrēšana pēc", "number_hidden": "{number} paslēpts", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Dzimums", "male": "Vīriešu", @@ -526,6 +541,7 @@ "episode": "Epizode", "game": "Spēle", "genre": "Žanrs", + "image": "Image", "movie": "Filma", "music": "Mūzika", "playlist": "Atskaņošanas saraksts", @@ -642,12 +658,11 @@ "raspberry_pi_gpio_entities": "Raspberry Pi GPIO vienības", "themes": "Tēmas", "action_server": "{action} serveris", - "restart": "Restart", + "reboot": "Restartēt", "reload": "Reload", "navigate": "Atvērt", "server": "Serveris", "logs": "Žurnāli", - "integrations": "Integrācijas", "helpers": "Palīgrīki", "tags": "Birkas", "devices": "Ierīces", @@ -739,7 +754,7 @@ "default_code": "Noklusējuma kods", "editor_default_code_error": "Kods neatbilst koda formātam", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Mērvienība", "precipitation_unit": "Nokrišņu mērvienība", "display_precision": "Noapaļošana", "default_value": "Pēc noklusējuma ({value})", @@ -789,7 +804,7 @@ "change_area": "Mainīt apgabalu", "enabled": "Enabled", "editor_enabled_cause": "Atspējots dēļ {cause}.", - "visible": "Redzams", + "visible": "Redzama", "hidden_by_cause": "Slēpts ar {cause}.", "editor_device_disabled": "Šīs vienības ierīce ir atspējota.", "this_entity_is_disabled": "Šī vienība ir atspējota.", @@ -813,8 +828,8 @@ "enable_type": "Iespējot {type}", "device_registry_detail_enabled_cause": "{type} ir atspējots ar {cause}.", "unknown_error": "Nezināma kļūda", - "expose": "Atklājiet", - "aliases": "Cits", + "expose": "Atklāt balss palīgiem", + "aliases": "Aizstājvārdi", "ask_for_pin": "Prasīt PIN kodu", "managed_in_configuration_yaml": "Pārvalda configuration.yaml", "unsupported": "Netiek atbalstīts", @@ -822,14 +837,13 @@ "restart_home_assistant": "Restartēt Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Ātrā pārlādēšana", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Notiek konfigurācijas atkārtota ielāde", "failed_to_reload_configuration": "Neizdevās pārlādēt konfigurāciju", "restart_description": "Pārtrauc visas darbojošās automatizācijas un skriptus.", "restart_failed": "Neizdevās pārstartēt Home Assistant", "stop_home_assistant": "Apturēt Home Assistant?", "reboot_system": "Restartēt sistēmu?", - "reboot": "Restartēt", "rebooting_system": "Sistēmas restartēšana", "failed_to_reboot_system": "Neizdevās restartēt sistēmu", "shut_down_system": "Izslēgt sistēmu?", @@ -840,11 +854,10 @@ "restart_safe_mode_confirm_title": "Restartēt Home Assistant drošajā režīmā?", "restart_safe_mode_failed": "Neizdevās restartēt Home Assistant", "name_aliases": "{name} aizstājvārdi", - "alias": "Alias", - "remove_alias": "Remove alias", - "add_alias": "Add alias", + "alias": "Aizstājvārds", + "remove_alias": "Dzēst aizstājvārdu", + "add_alias": "Pievienot aizstājvārdu", "aliases_no_aliases": "Vēl nav pievienoti aizstājvārdi", - "ui_dialogs_aliases_add_alias": "Pievienot aizstājvārdu", "ui_dialogs_aliases_input_label": "Aizstājvārds {number}", "ui_dialogs_aliases_remove_alias": "Noņemt aizstājvārdu {number}", "input_datetime_mode": "Ko vēlaties ievadīt", @@ -998,7 +1011,6 @@ "notification_toast_no_matching_link_found": "Netika atrastas atbilstošas saites uz {path}", "app_configuration": "Lietotņu konfigurēšana", "sidebar_toggle": "Sānu joslas pārslēgs", - "done": "Done", "hide_panel": "Paslēpt paneli", "show_panel": "Parādīt paneli", "show_more_information": "Rādīt vairāk informācijas", @@ -1095,9 +1107,11 @@ "view_configuration": "Skatīt konfigurāciju", "name_view_configuration": "{name} skata konfigurācija", "add_view": "Pievienot skatu", + "background_title": "Add a background to the view", "edit_view": "Rediģēt skatu", "move_view_left": "Pārvietot skatu pa kreisi", "move_view_right": "Pārvietot skatu pa labi", + "background": "Fons", "badges": "Nozīmītes", "view_type": "Skata tips", "masonry_default": "Mūris (noklusējums)", @@ -1106,8 +1120,8 @@ "sections_experimental": "Sections (experimental)", "subview": "Papildu cilne", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Rediģēt vizuālajā redaktorā", - "edit_in_yaml": "Teksta redaktors", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Saving failed", "card_configuration": "Kartītes konfigurācija", "type_card_configuration": "{type} kartes konfigurācija", @@ -1127,7 +1141,10 @@ "increase_card_position": "Kartes pozīcijas palielināšana", "more_options": "Vairāk iespēju", "search_cards": "Meklēt kartes", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Kuru karti vēlaties pievienot skatam {name}?", + "ui_panel_lovelace_editor_edit_card_tab_config": "Konfigurācija", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Izvēlieties skatu", "dashboard": "Infopanelis", @@ -1140,8 +1157,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "Mēs jums izveidojām ieteikumu", "pick_different_card": "Izvēlieties citu karti", "add_to_dashboard": "Pievienot infopanelim", @@ -1373,178 +1389,122 @@ "warning_entity_unavailable": "Vienība \"{entity}\" pašlaik nav pieejama", "invalid_timestamp": "Nederīgs laika zīmogs", "invalid_display_format": "Nederīgs attēlojuma formāts", + "now": "Now", "compare_data": "Salīdzināt datus", "reload_ui": "Pārlādēt lietotāja saskarni", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grupa", - "timer": "Taimeris", - "zone": "Zone", - "schedule": "Plānot", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Nosegi", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Ieejas loģika", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Nosegi", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Signalizācijas vadības panelis", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventilators", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Ierīču izsekotājs", + "trace": "Trace", + "stream": "Stream", + "person": "Persona", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Ieejas loģika", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Ievades datuma laiks", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tags", + "diagnostics": "Diagnostics", + "siren": "Sirēna", + "fitbit": "Fitbit", + "automation": "Automatizācija", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Skripts", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Ievades numurs", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Ievades teksts", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Laikapstākļi", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grupa", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Plānot", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Tālvadība", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Skripts", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Ierīču izsekotājs", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Laikapstākļi", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Tālvadība", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Ievades numurs", + "binary_sensor": "Binārais sensors", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilators", + "scene": "Scene", + "input_select": "Ievades izvēle", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Notikums", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Notikums", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Skaitītājs", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Persona", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tags", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirēna", - "input_select": "Ievades izvēle", + "deconz": "deCONZ", + "timer": "Taimeris", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automatizācija", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Skaitītājs", - "binary_sensor": "Binārais sensors", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS aģenta versija", - "apparmor_version": "Apparmor versija", - "cpu_percent": "Procesora izmantojums procentos", - "disk_free": "Brīvs uz diska", - "disk_total": "Diska kopējais apjoms", - "disk_used": "Izmantots uz diska", - "memory_percent": "Atmiņas izmantojums procentos", - "version": "Version", - "newest_version": "Jaunākā versija", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Šodienas patēriņš", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Kopējais patēriņš", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Apgaismojums", - "noise": "Troksnis", - "overload": "Pārslodze", - "voltage": "Spriegums", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Palīdzība procesā", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Izslēgts", - "preferred": "Vēlamais", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Aktīvs zvans", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Smacīgi", "mild": "Viegls", "button_down": "Button down", @@ -1560,18 +1520,52 @@ "warm_up": "Iesilšana", "not_completed": "Nav pabeigts", "checking": "Checking", - "closed": "Closed", + "closed": "Slēgts", "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Pievienots", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", + "battery_level": "Battery level", + "os_agent_version": "OS aģenta versija", + "apparmor_version": "Apparmor versija", + "cpu_percent": "Procesora izmantojums procentos", + "disk_free": "Brīvs uz diska", + "disk_total": "Diska kopējais apjoms", + "disk_used": "Izmantots uz diska", + "memory_percent": "Atmiņas izmantojums procentos", + "version": "Version", + "newest_version": "Jaunākā versija", + "next_dawn": "Nākamā rītausma", + "next_dusk": "Nākamā krēsla", + "next_midnight": "Nākamā pusnakts", + "next_noon": "Nākamais pusdienlaiks", + "next_rising": "Nākamā ausma", + "next_setting": "Nākamais iestatījums", + "solar_azimuth": "Saules azimuts", + "solar_elevation": "Saules augstums", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Kompresora enerģijas patēriņš", + "compressor_estimated_power_consumption": "Aprēķinātais kompresora enerģijas patēriņš", + "compressor_frequency": "Kompresora frekvence", + "cool_energy_consumption": "Dzesēšanas enerģijas patēriņš", + "heat_energy_consumption": "Sildīšanas enerģijas patēriņš", + "inside_temperature": "Iekšējā temperatūra", + "outside_temperature": "Āra temperatūra", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Pievienots", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", "restart_device": "Restart device", "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1587,33 +1581,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Kustības noteikšana", "screensaver": "Screensaver", - "compressor_energy_consumption": "Kompresora enerģijas patēriņš", - "compressor_estimated_power_consumption": "Aprēķinātais kompresora enerģijas patēriņš", - "compressor_frequency": "Kompresora frekvence", - "cool_energy_consumption": "Dzesēšanas enerģijas patēriņš", - "heat_energy_consumption": "Sildīšanas enerģijas patēriņš", - "inside_temperature": "Iekšējā temperatūra", - "outside_temperature": "Āra temperatūra", - "next_dawn": "Nākamā rītausma", - "next_dusk": "Nākamā krēsla", - "next_midnight": "Nākamā pusnakts", - "next_noon": "Nākamais pusdienlaiks", - "next_rising": "Nākamā ausma", - "next_setting": "Nākamais iestatījums", - "solar_azimuth": "Saules azimuts", - "solar_elevation": "Saules augstums", - "solar_rising": "Solar rising", - "calibration": "Kalibrēšana", - "auto_lock_paused": "Automātiskā bloķēšana apturēta", - "timeout": "Timeout", - "unclosed_alarm": "Nenoslēgta signalizācija", - "unlocked_alarm": "Atbloķēta signalizācija", - "bluetooth_signal": "Bluetooth signāls", - "light_level": "Gaismas līmenis", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Mitrs", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Šodienas patēriņš", + "total_consumption": "Kopējais patēriņš", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Spriegums", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Apgaismojums", + "noise": "Troksnis", + "overload": "Pārslodze", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Atklāts", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1623,6 +1670,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1680,23 +1730,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Izslēgts", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Vispirms pievērt", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Automātiski un vienmēr ieslēgts naktī", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "Ieslēgts naktī", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Automātiski un vienmēr ieslēgts naktī", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1710,6 +1763,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signāls", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1718,6 +1772,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1725,88 +1780,95 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Ierīču izsekotāji", - "gps_accuracy": "GPS accuracy", + "call_active": "Aktīvs zvans", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Kalibrēšana", + "auto_lock_paused": "Automātiskā bloķēšana apturēta", + "timeout": "Timeout", + "unclosed_alarm": "Nenoslēgta signalizācija", + "unlocked_alarm": "Atbloķēta signalizācija", + "bluetooth_signal": "Bluetooth signāls", + "light_level": "Gaismas līmenis", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "box": "Lodziņš", + "step": "Solis", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmosfēras spiediens", + "carbon_dioxide": "Oglekļa dioksīds", + "data_rate": "Datu pārraides ātrums", + "distance": "Attālums", + "stored_energy": "Uzkrātā enerģija", + "frequency": "Frekvence", + "irradiance": "Apstarojums", + "nitrogen_dioxide": "Slāpekļa dioksīds", + "nitrogen_monoxide": "Slāpekļa monoksīds", + "nitrous_oxide": "Slāpekļa oksīds", + "ozone": "Ozons", + "ph": "pH", + "pm": "Cietās daļiņas 2,5 μm", + "power_factor": "Jaudas koeficients", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Saglabātais apjoms", + "weight": "Svars", + "available_tones": "Pieejamie toņi", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Tiek pārvaldīts, izmantojot lietotāja saskarni", + "next_event": "Nākamais vakars", + "stopped": "Stopped", + "garage": "Garāža", "running_automations": "Darbojošās automatizācijas", - "max_running_scripts": "Maksimālais darbojošos skriptu skaits", + "id": "ID", + "max_running_automations": "Maksimālā darbības automatizācija", "run_mode": "Darbības režīms", "parallel": "Paralēli", "queued": "Rindā", "one": "Viens", - "end_time": "End time", - "start_time": "Start time", - "recording": "Ieraksta", - "streaming": "Straumē", - "access_token": "Access token", - "brand": "Zīmols", - "stream_type": "Straumes veids", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Maršrutētājs", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Ārējais sildītājs", - "current_humidity": "Pašreizējais mitrums", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Izkliedēts", - "middle": "Vidus", - "top": "Augša", - "cooling": "Dzesēšana", - "drying": "Žāvēšana", - "preheating": "Preheating", - "max_target_humidity": "Maksimālais mērķa mitrums", - "max_target_temperature": "Maksimālā mērķa temperatūra", - "min_target_humidity": "Minimālais mērķa mitrums", - "min_target_temperature": "Minimālā mērķa temperatūra", - "boost": "Pastiprināts", - "comfort": "Komforta", - "eco": "Eko", - "sleep": "Miega režīms", - "presets": "Sākotnējie iestatījumi", - "swing_mode": "Swing mode", - "both": "Abi", - "horizontal": "Horizontāli", - "upper_target_temperature": "Augstākā mērķa temperatūra", - "lower_target_temperature": "Zemākā mērķa temperatūra", - "target_temperature_step": "Mērķa temperatūras solis", - "buffering": "Buferizācija", - "paused": "Apturēts", - "playing": "Atskaņo", - "standby": "Gaidīšanas režīmā", - "app_id": "Lietotnes ID", - "local_accessible_entity_picture": "Lokāli pieejamas vienības attēls", - "group_members": "Group members", - "muted": "Muted", - "album_artist": "Album artist", - "content_id": "Content ID", - "content_type": "Content type", + "not_charging": "Nav uzlādes", + "unplugged": "Atvienots", + "connected": "Pieslēdzies", + "hot": "Karsts", + "no_light": "Nav gaismas", + "light_detected": "Konstatēta gaisma", + "locked": "Aizslēgts", + "not_moving": "Nepārvietojas", + "not_running": "Nedarbojas", + "safe": "Drošs", + "unsafe": "Nedrošs", + "tampering_detected": "Tampering detected", + "buffering": "Buferizācija", + "paused": "Apturēts", + "playing": "Atskaņo", + "standby": "Gaidīšanas režīmā", + "app_id": "Lietotnes ID", + "local_accessible_entity_picture": "Lokāli pieejamas vienības attēls", + "group_members": "Group members", + "muted": "Muted", + "album_artist": "Album artist", + "content_id": "Content ID", + "content_type": "Content type", "channels": "Kanāli", "position_updated": "Pozīcija atjaunināta", "series": "Sērija", @@ -1816,73 +1878,11 @@ "receiver": "Uztvērējs", "speaker": "Skaļrunis", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Tikai spilgtums", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Krāsu temperatūra (miredos)", - "color_temperature_kelvin": "Krāsu temperatūra (Kelvinos)", - "available_effects": "Pieejamie efekti", - "maximum_color_temperature_kelvin": "Maksimālā krāsu temperatūra (Kelvinos)", - "maximum_color_temperature_mireds": "Maksimālā krāsu temperatūra (miredos)", - "minimum_color_temperature_kelvin": "Minimālā krāsu temperatūra (Kelvinos)", - "minimum_color_temperature_mireds": "Minimālā krāsu temperatūra (miredos)", - "available_color_modes": "Pieejamie krāsu režīmi", - "event_type": "Event type", - "event_types": "Notikumu veidi", - "doorbell": "Durvju zvans", - "available_tones": "Pieejamie toņi", - "locked": "Aizslēgts", - "members": "Members", - "managed_via_ui": "Tiek pārvaldīts, izmantojot lietotāja saskarni", - "id": "ID", - "max_running_automations": "Maksimālā darbības automatizācija", - "finishes_at": "Tiks pabeigts", - "remaining": "Atlicis", - "next_event": "Nākamais vakars", - "update_available": "Pieejams atjauninājums", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "box": "Lodziņš", - "step": "Solis", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmosfēras spiediens", - "carbon_dioxide": "Oglekļa dioksīds", - "data_rate": "Datu pārraides ātrums", - "distance": "Attālums", - "stored_energy": "Uzkrātā enerģija", - "frequency": "Frekvence", - "irradiance": "Apstarojums", - "nitrogen_dioxide": "Slāpekļa dioksīds", - "nitrogen_monoxide": "Slāpekļa monoksīds", - "nitrous_oxide": "Slāpekļa oksīds", - "ozone": "Ozons", - "ph": "pH", - "pm": "Cietās daļiņas 2,5 μm", - "power_factor": "Jaudas koeficients", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Saglabātais apjoms", - "weight": "Svars", - "stopped": "Stopped", - "garage": "Garāža", - "pattern": "Paraugs", + "above_horizon": "Virs horizonta", + "below_horizon": "Zem horizonta", + "oscillating": "Oscillating", + "speed_step": "Ātruma solis", + "available_preset_modes": "Pieejamie iepriekš iestatītie režīmi", "armed_away": "Prombūtnes aizsardzība", "armed_custom_bypass": "Pielāgotā aizsardzība", "armed_home": "Klātbūtnes aizsardzība", @@ -1894,15 +1894,69 @@ "code_for_arming": "Apsardzes kods", "not_required": "Nav obligāts", "code_format": "Koda formāts", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Maršrutētājs", + "event_type": "Event type", + "event_types": "Notikumu veidi", + "doorbell": "Durvju zvans", + "device_trackers": "Ierīču izsekotāji", + "max_running_scripts": "Maksimālais darbojošos skriptu skaits", + "jammed": "Iestrēdzis", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Ārējais sildītājs", + "current_humidity": "Pašreizējais mitrums", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Izkliedēts", + "middle": "Vidus", + "top": "Augša", + "cooling": "Dzesēšana", + "drying": "Žāvēšana", + "preheating": "Preheating", + "max_target_humidity": "Maksimālais mērķa mitrums", + "max_target_temperature": "Maksimālā mērķa temperatūra", + "min_target_humidity": "Minimālais mērķa mitrums", + "min_target_temperature": "Minimālā mērķa temperatūra", + "boost": "Pastiprināts", + "comfort": "Komforta", + "eco": "Eko", + "sleep": "Miega režīms", + "presets": "Sākotnējie iestatījumi", + "swing_mode": "Swing mode", + "both": "Abi", + "horizontal": "Horizontāli", + "upper_target_temperature": "Augstākā mērķa temperatūra", + "lower_target_temperature": "Zemākā mērķa temperatūra", + "target_temperature_step": "Mērķa temperatūras solis", "last_reset": "Pēdējā atiestatīšana", "possible_states": "Iespējamie stāvokļi", - "state_class": "State class", + "state_class": "Stāvokļa klase", "measurement": "Mērījumi", "total": "Kopā", "total_increasing": "Kopējais pieaugums", + "conductivity": "Conductivity", "data_size": "Datu apjoms", "balance": "Balanss", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Tikai spilgtums", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Krāsu temperatūra (miredos)", + "color_temperature_kelvin": "Krāsu temperatūra (Kelvinos)", + "available_effects": "Pieejamie efekti", + "maximum_color_temperature_kelvin": "Maksimālā krāsu temperatūra (Kelvinos)", + "maximum_color_temperature_mireds": "Maksimālā krāsu temperatūra (miredos)", + "minimum_color_temperature_kelvin": "Minimālā krāsu temperatūra (Kelvinos)", + "minimum_color_temperature_mireds": "Minimālā krāsu temperatūra (miredos)", + "available_color_modes": "Pieejamie krāsu režīmi", "clear_night": "Skaidrs, nakts", "cloudy": "Mākoņains", "exceptional": "Izņēmuma kārtā", @@ -1925,60 +1979,79 @@ "uv_index": "UV indekss", "wind_bearing": "Wind bearing", "wind_gust_speed": "Vēja brāzmu ātrums", - "above_horizon": "Virs horizonta", - "below_horizon": "Zem horizonta", - "oscillating": "Oscillating", - "speed_step": "Ātruma solis", - "available_preset_modes": "Pieejamie iepriekš iestatītie režīmi", - "jammed": "Iestrēdzis", - "locking": "Slēgts", - "identify": "Identify", - "not_charging": "Nav uzlādes", - "detected": "Atklāts", - "unplugged": "Atvienots", - "connected": "Pieslēdzies", - "hot": "Karsts", - "no_light": "Nav gaismas", - "light_detected": "Konstatēta gaisma", - "wet": "Mitrs", - "not_moving": "Nepārvietojas", - "not_running": "Nedarbojas", - "safe": "Drošs", - "unsafe": "Nedrošs", - "tampering_detected": "Tampering detected", + "recording": "Ieraksta", + "streaming": "Straumē", + "access_token": "Access token", + "brand": "Zīmols", + "stream_type": "Straumes veids", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minūte", "second": "Sekunde", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", - "user_description": "Vai vēlaties sākt iestatīšanu?", - "account_is_already_configured": "Konts jau ir konfigurēts", - "abort_already_in_progress": "Konfigurēšanas process jau notiek", + "pattern": "Paraugs", + "members": "Members", + "finishes_at": "Tiks pabeigts", + "remaining": "Atlicis", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "user_description": "Do you want to start setup?", + "device_is_already_configured": "Ierīce jau ir konfigurēta", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", + "account_is_already_configured": "Konts jau ir konfigurēts", + "abort_already_in_progress": "Configuration flow is already in progress", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Atkārtota autentifikācija veiksmīga", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Neparedzēta kļūda", "successfully_authenticated": "Veiksmīgi autentificēts", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Ierīce jau ir konfigurēta", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Savienojuma kļūda: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Jau konfigurēts. Iespējama tikai viena konfigurācija.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Vai vēlaties iestatīt {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1994,39 +2067,42 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", - "unlock_the_device_optional": "Unlock the device (optional)", - "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "Gala punktā nav atrasts neviens pakalpojums", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Nederīga autentifikācija", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Savienojuma kļūda: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Ierīces klase", + "state_template": "State template", + "template_binary_sensor": "Parauga binārais sensors", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Sensora paraugs", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "error_already_in_progress": "Konfigurēšanas process jau notiek", + "pin_code": "PIN kods", + "discovered_android_tv": "Atrasts Android TV", + "confirm_description": "Vai vēlaties sākt iestatīšanu?", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2050,8 +2126,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "Notika API kļūda", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Iespējot HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2059,10 +2136,34 @@ "service_received": "Pakalpojums saņemts", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Šifrēšanas atslēga", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "Gala punktā nav atrasts neviens pakalpojums", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Autentifikācija neizdevās: {error_detail}", + "error_encryption_key_invalid": "Atslēgas ID vai šifrēšanas atslēga nav derīga", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot konts (ieteicams)", + "menu_options_lock_key": "Manuāli ievadiet slēdzenes šifrēšanas atslēgu", + "key_id": "Atslēgas ID", + "password_description": "Password to protect the backup with.", + "device_address": "Ierīces adrese", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Pievienot grupu", - "device_class": "Device class", "ignore_non_numeric": "Ignorēt neskaitliskas vērtības", "data_round_digits": "Noapaļot vērtību līdz decimāldaļu skaitam", "type": "Type", @@ -2075,83 +2176,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensoru grupa", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Pasīva", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Pasīva", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "bluetooth_confirm_description": "Vai vēlaties iestatīt {name}?", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN kods", - "discovered_android_tv": "Atrasts Android TV", - "state_template": "State template", - "template_binary_sensor": "Parauga binārais sensors", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Sensora paraugs", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Autentifikācija neizdevās: {error_detail}", - "error_encryption_key_invalid": "Atslēgas ID vai šifrēšanas atslēga nav derīga", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot konts (ieteicams)", - "menu_options_lock_key": "Manuāli ievadiet slēdzenes šifrēšanas atslēgu", - "key_id": "Atslēgas ID", - "password_description": "Password to protect the backup with.", - "device_address": "Ierīces adrese", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "Notika API kļūda", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Iespējot HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Valodas kods", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2234,6 +2302,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Valodas kods", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2247,106 +2332,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protokols", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Nederīgs URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protokols", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} tika izslēgta", - "entity_name_turned_on": "{entity_name} tika ieslēgta", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Pirmā poga", "second_button": "Otrā poga", "third_button": "Trešā poga", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Samazināt {entity_name} spilgtumu", - "increase_entity_name_brightness": "Palielināt {entity_name} spilgtumu", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Mainiet {entity_name} uz pirmo opciju", - "action_type_select_last": "Mainīt {entity_name} uz pēdējo opciju", - "action_type_select_next": "Mainīt {entity_name} uz nākamo opciju", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Mainīt {entity_name} uz iepriekšējo opciju", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_is_up_to_date": "{entity_name} ir atjaunināts", - "trigger_type_turned_on": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2354,8 +2370,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} trīskāršs piespiediens", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Aizvērt {entity_name}", "open_entity_name": "Open {entity_name}", @@ -2375,7 +2393,116 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} slīpuma pozīcijas izmaiņas", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} tiek uzlādēts", + "condition_type_is_co": "{entity_name} konstatēja oglekļa monoksīdu", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} nekonstatēja oglekļa monoksīdu", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} ir atjaunināts", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} netiek uzlādēts", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "trigger_type_update": "{entity_name} ir pieejams atjauninājums", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} uzlāde", + "trigger_type_co": "{entity_name} sāka oglekļa monoksīda noteikšanu", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} pārtrauca oglekļa monoksīda noteikšanu", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} nav uzlādes", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} tika izslēgta", + "entity_name_turned_on": "{entity_name} tika ieslēgta", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2394,12 +2521,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Pašreizējais {entity_name} gaisa kvalitātes indekss", "current_entity_name_atmospheric_pressure": "Pašreizējais {entity_name} atmosfēras spiediens", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Pašreizējais {entity_name} oglekļa monoksīda koncentrācijas līmenis", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Pašreizējais {entity_name} datu pārraides ātrums", "current_entity_name_data_size": "Pašreizējais {entity_name} datu apjoms", @@ -2444,6 +2585,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} oglekļa monoksīda koncentrācijas izmaiņas", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} datu pārraides ātruma izmaiņas", "entity_name_data_size_changes": "{entity_name} datu lieluma izmaiņas", @@ -2482,136 +2624,71 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} vēja ātruma izmaiņas", + "decrease_entity_name_brightness": "Samazināt {entity_name} spilgtumu", + "increase_entity_name_brightness": "Palielināt {entity_name} spilgtumu", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Mainiet {entity_name} uz pirmo opciju", + "action_type_select_last": "Mainīt {entity_name} uz pēdējo opciju", + "action_type_select_next": "Mainīt {entity_name} uz nākamo opciju", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Mainīt {entity_name} uz iepriekšējo opciju", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Abas pogas", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} tiek uzlādēts", - "condition_type_is_co": "{entity_name} konstatēja oglekļa monoksīdu", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} nekonstatēja oglekļa monoksīdu", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} netiek uzlādēts", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "trigger_type_update": "{entity_name} ir pieejams atjauninājums", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} uzlāde", - "trigger_type_co": "{entity_name} sāka oglekļa monoksīda noteikšanu", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} pārtrauca oglekļa monoksīda noteikšanu", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} nav uzlādes", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Abas pogas", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", + "trigger_type_turned_on": "{entity_name} got an update available", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Pēdējo reizi atjaunināts", + "arithmetic_mean": "Vidējais aritmētiskais", + "median": "Mediāna", + "product": "Produkts", + "statistical_range": "Statistiskais diapazons", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2742,16 +2819,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "Nav klases stāvokļa", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Pēdējo reizi atjaunināts", - "arithmetic_mean": "Vidējais aritmētiskais", - "median": "Mediāna", - "product": "Produkts", - "statistical_range": "Statistiskais diapazons", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Atjaunina Home Assistant atrašanās vietu", + "elevation_of_your_location": "Jūsu atrašanās vietas augstums.", + "latitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais platums", + "longitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais garums", + "set_location": "Atrašanās vietas iestatīšana", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Vispārēja izslēgšanās", + "generic_turn_on": "Vispārēja ieslēgšanās", + "update_entity": "Atjaunināt vienību", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2786,122 +2958,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Atjaunina Home Assistant atrašanās vietu", - "elevation_of_your_location": "Jūsu atrašanās vietas augstums.", - "latitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais platums", - "longitude_of_your_location": "Jūsu atrašanās vietas ģeogrāfiskais garums", - "set_location": "Atrašanās vietas iestatīšana", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Vispārēja izslēgšanās", - "generic_turn_on": "Vispārēja ieslēgšanās", - "update_entity": "Atjaunināt vienību", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2909,6 +3023,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2920,10 +3150,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2935,75 +3162,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Izslēgt vienu vai vairākas gaismas.", @@ -3011,187 +3188,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Pārlādē motīvus no YAML konfigurācijas.", "reload_themes": "Pārlādēt motiīvus", "name_of_a_theme": "Motīva nosaukums", "set_the_default_theme": "Noklusējuma tēmas iestatīšana", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3200,23 +3264,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/mk/mk.json b/packages/core/src/hooks/useLocale/locales/mk/mk.json new file mode 100644 index 0000000..d9156cd --- /dev/null +++ b/packages/core/src/hooks/useLocale/locales/mk/mk.json @@ -0,0 +1,3269 @@ +{ + "energy": "Energy", + "calendar": "Calendar", + "settings": "Settings", + "overview": "Overview", + "map": "Map", + "logbook": "Logbook", + "history": "History", + "mailbox": "Mailbox", + "to_do_lists": "To-do lists", + "developer_tools": "Developer tools", + "media": "Media", + "profile": "Profile", + "unknown": "Unknown", + "unavailable": "Unavailable", + "unk": "Unk", + "unavai": "Unavai", + "error": "Error", + "entity_not_found": "Entity not found", + "armed": "Armed", + "disarm": "Disarm", + "pend": "Pend", + "arming": "Arming", + "trig": "Trig", + "home": "Home", + "away": "Away", + "owner": "Owner", + "administrators": "Administrators", + "users": "Users", + "read_only_users": "Read-Only Users", + "user": "User", + "integration": "Integration", + "config_entry": "Config entry", + "device": "Device", + "upload_backup": "Upload backup", + "turn_on": "Turn on", + "turn_off": "Turn off", + "toggle": "Toggle", + "code": "Code", + "clear": "Clear", + "arm": "Arm", + "arm_home": "Arm home", + "arm_away": "Arm away", + "arm_night": "Arm night", + "arm_vacation": "Arm vacation", + "custom_bypass": "Custom bypass", + "modes": "Modes", + "night": "Night", + "vacation": "Vacation", + "custom": "Custom", + "disarmed": "Disarmed", + "area_not_found": "Area not found.", + "last_triggered": "Last triggered", + "run_actions": "Run actions", + "press": "Press", + "image_not_available": "Image not available", + "currently": "Currently", + "on_off": "On/Off", + "name_target_temperature": "{name} target temperature", + "name_target_temperature_mode": "{name} target temperature {mode}", + "name_current_temperature": "{name} current temperature", + "name_heating": "{name} heating", + "name_cooling": "{name} cooling", + "high": "High", + "low": "Low", + "mode": "Mode", + "preset": "Preset", + "action_to_target": "{action} to target", + "target": "Target", + "humidity_target": "Humidity target", + "increment": "Increment", + "decrement": "Decrement", + "reset": "Reset", + "position": "Position", + "tilt_position": "Tilt position", + "open_cover": "Open cover", + "close_cover": "Close cover", + "open_cover_tilt": "Open cover tilt", + "close_cover_tilt": "Close cover tilt", + "stop_cover": "Stop cover", + "preset_mode": "Preset mode", + "oscillate": "Oscillate", + "direction": "Direction", + "forward": "Forward", + "reverse": "Reverse", + "medium": "Medium", + "target_humidity": "Target humidity.", + "state": "State", + "name_target_humidity": "{name} target humidity", + "name_current_humidity": "{name} current humidity", + "name_humidifying": "{name} humidifying", + "name_drying": "{name} drying", + "name_on": "{name} on", + "resume_mowing": "Resume mowing", + "start_mowing": "Start mowing", + "return_to_dock": "Return to dock", + "brightness": "Brightness", + "color_temperature": "Color temperature", + "white_brightness": "White brightness", + "color_brightness": "Color brightness", + "cold_white_brightness": "Cold white brightness", + "warm_white_brightness": "Warm white brightness", + "effect": "Effect", + "lock": "Lock", + "unlock": "Unlock", + "open": "Open", + "open_door": "Open door", + "really_open": "Really open?", + "done": "Done", + "source": "Source", + "sound_mode": "Sound mode", + "browse_media": "Browse media", + "play": "Play", + "play_pause": "Play/Pause", + "pause": "Pause", + "stop": "Stop", + "next_track": "Next track", + "previous_track": "Previous track", + "volume_up": "Volume up", + "volume_down": "Volume down", + "volume_mute": "Volume mute", + "volume_unmute": "Volume unmute", + "repeat_mode": "Repeat mode", + "shuffle": "Shuffle", + "text_to_speak": "Text to speak", + "nothing_playing": "Nothing playing", + "dismiss": "Dismiss", + "activate": "Activate", + "run": "Run", + "running": "Running", + "queued_queued": "{queued} queued", + "active_running": "{active} Running…", + "cancel": "Cancel", + "cancel_number": "Cancel {number}", + "cancel_all": "Cancel all", + "idle": "Idle", + "run_script": "Run script", + "option": "Option", + "installing": "Installing", + "installing_progress": "Installing ({progress}%)", + "up_to_date": "Up-to-date", + "empty_value": "(empty value)", + "start": "Start", + "finish": "Finish", + "resume_cleaning": "Resume cleaning", + "start_cleaning": "Start cleaning", + "open_valve": "Open valve", + "close_valve": "Close valve", + "stop_valve": "Stop valve", + "target_temperature": "Target temperature.", + "away_mode": "Away mode", + "air_pressure": "Air pressure", + "humidity": "Humidity", + "temperature": "Temperature", + "visibility": "Visibility", + "wind_speed": "Wind speed", + "precipitation": "Precipitation", + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nw": "NW", + "nnw": "NNW", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW", + "day": "Day", + "forecast": "Forecast", + "forecast_daily": "Forecast daily", + "forecast_hourly": "Forecast hourly", + "forecast_twice_daily": "Forecast twice daily", + "daily": "Daily", + "hourly": "Hourly", + "twice_daily": "Twice daily", + "and": "And", + "continue": "Continue", + "previous": "Previous", + "loading": "Loading…", + "refresh": "Refresh", + "delete": "Delete", + "delete_all": "Delete all", + "download": "Download", + "duplicate": "Duplicate", + "remove": "Remove", + "enable": "Enable", + "disable": "Disable", + "hide": "Hide", + "close": "Close", + "leave": "Leave", + "stay": "Stay", + "next": "Next", + "back": "Back", + "undo": "Undo", + "move": "Move", + "save": "Save", + "add": "Add", + "edit": "Edit", + "submit": "Submit", + "rename": "Rename", + "search": "Search", + "ok": "OK", + "yes": "Yes", + "no": "No", + "not_now": "Not now", + "skip": "Skip", + "menu": "Menu", + "overflow_menu": "Overflow menu", + "help": "Help", + "successfully_saved": "Successfully saved", + "successfully_deleted": "Successfully deleted", + "required": "Required", + "copied": "Copied", + "copied_to_clipboard": "Copied to clipboard", + "name": "Name", + "optional": "optional", + "select_media_player": "Select media player", + "media_browse_not_supported": "Media player does not support browsing media.", + "pick_media": "Pick media", + "manually_enter_media_id": "Manually enter media ID", + "media_content_id": "Media content ID", + "media_content_type": "Media content type", + "upload_failed": "Upload failed", + "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", + "latitude": "Latitude", + "longitude": "Longitude", + "radius": "Radius", + "selector_options": "Selector Options", + "action": "Action", + "area": "Area", + "attribute": "Attribute", + "boolean": "Boolean", + "condition": "Condition", + "date": "Date", + "date_and_time": "Date and time", + "duration": "Duration", + "entity": "Entity", + "floor": "Floor", + "icon": "Icon", + "location": "Location", + "number": "Number", + "object": "Object", + "rgb_color": "RGB Color", + "select": "Select", + "template": "Template", + "text": "Text", + "theme": "Theme", + "time": "Time", + "manual_entry": "Manual Entry", + "show_password": "Show password", + "hide_password": "Hide password", + "no_logbook_events_found": "No logbook events found.", + "triggered_by": "triggered by", + "triggered_by_automation": "triggered by automation", + "triggered_by_script": "triggered by script", + "triggered_by_service": "triggered by service", + "logbook_triggered_by_numeric_state_of": "triggered by numeric state of", + "triggered_by_state_of": "triggered by state of", + "triggered_by_event": "triggered by event", + "triggered_by_time": "triggered by time", + "triggered_by_time_pattern": "triggered by time pattern", + "logbook_triggered_by_homeassistant_stopping": "triggered by Home Assistant stopping", + "logbook_triggered_by_homeassistant_starting": "triggered by Home Assistant starting", + "traces": "Traces", + "could_not_load_logbook": "Could not load logbook", + "was_detected_away": "was detected away", + "was_detected_at_state": "was detected at {state}", + "rose": "rose", + "set": "Set", + "was_low": "was low", + "was_normal": "was normal", + "was_connected": "was connected", + "was_disconnected": "was disconnected", + "was_opened": "was opened", + "was_closed": "was closed", + "is_opening": "is opening", + "is_opened": "is opened", + "is_closing": "is closing", + "was_unlocked": "was unlocked", + "was_locked": "was locked", + "is_unlocking": "is unlocking", + "is_locking": "is locking", + "is_jammed": "is jammed", + "was_plugged_in": "was plugged in", + "was_unplugged": "was unplugged", + "was_detected_at_home": "was detected at home", + "was_unsafe": "was unsafe", + "was_safe": "was safe", + "detected_device_class": "detected {device_class}", + "cleared_no_device_class_detected": "cleared (no {device_class} detected)", + "turned_off": "turned off", + "turned_on": "turned on", + "changed_to_state": "changed to {state}", + "became_unavailable": "became unavailable", + "became_unknown": "became unknown", + "detected_tampering": "detected tampering", + "cleared_tampering": "cleared tampering", + "event_type_event_detected": "{event_type} event detected", + "detected_an_event": "detected an event", + "detected_an_unknown_event": "detected an unknown event", + "entity_picker_no_entities": "You don't have any entities", + "no_matching_entities_found": "No matching entities found", + "show_entities": "Show entities", + "create_a_new_entity": "Create a new entity", + "show_attributes": "Show attributes", + "expand": "Expand", + "target_picker_expand_floor_id": "Split this floor into separate areas.", + "target_picker_expand_device_id": "Split this device into separate entities.", + "remove_floor": "Remove floor", + "remove_area": "Remove area", + "remove_device": "Remove device", + "remove_entity": "Remove entity", + "remove_label": "Remove label", + "choose_area": "Choose area", + "choose_device": "Choose device", + "choose_entity": "Choose entity", + "choose_label": "Choose label", + "filters": "Filters", + "show_number_results": "show {number} results", + "clear_filter": "Clear filter", + "close_filters": "Close filters", + "exit_selection_mode": "Exit selection mode", + "enter_selection_mode": "Enter selection mode", + "sort_by_sortcolumn": "Sort by {sortColumn}", + "group_by_groupcolumn": "Group by {groupColumn}", + "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", + "selected_selected": "Selected {selected}", + "close_selection_mode": "Close selection mode", + "select_all": "Select all", + "select_none": "Select none", + "customize_table": "Customize table", + "conversation_agent": "Conversation agent", + "none": "None", + "country": "Country", + "assistant": "Assistant", + "preferred_assistant_preferred": "Preferred assistant ({preferred})", + "last_used_assistant": "Last used assistant", + "no_theme": "No theme", + "language": "Language", + "no_languages_available": "No languages available", + "text_to_speech": "Text to speech", + "voice": "Voice", + "no_user": "No user", + "add_user": "Add user", + "remove_user": "Remove user", + "select_a_blueprint": "Select a blueprint", + "show_devices": "Show devices", + "device_picker_no_devices": "You don't have any devices", + "no_matching_devices_found": "No matching devices found", + "no_area": "No area", + "show_categories": "Show categories", + "categories": "Categories", + "category": "Category", + "add_category": "Add category", + "add_new_category_name": "Add new category ''{name}''", + "add_new_category": "Add new category", + "category_picker_no_categories": "You don't have any categories", + "no_matching_categories_found": "No matching categories found", + "add_dialog_text": "Enter the name of the new category.", + "failed_to_create_category": "Failed to create category.", + "show_labels": "Show labels", + "label": "Label", + "labels": "Labels", + "add_label": "Add label", + "add_new_label_name": "Add new label ''{name}''", + "add_new_label": "Add new label…", + "label_picker_no_labels": "You don't have any labels", + "no_matching_labels_found": "No matching labels found", + "show_areas": "Show areas", + "add_new_area_name": "Add new area ''{name}''", + "add_new_area": "Add new area…", + "area_picker_no_areas": "You don't have any areas", + "no_matching_areas_found": "No matching areas found", + "unassigned_areas": "Unassigned areas", + "failed_to_create_area": "Failed to create area.", + "show_floors": "Show floors", + "add_new_floor_name": "Add new floor ''{name}''", + "add_new_floor": "Add new floor…", + "floor_picker_no_floors": "You don't have any floors", + "no_matching_floors_found": "No matching floors found", + "failed_to_create_floor": "Failed to create floor.", + "areas": "Areas", + "no_areas": "No areas", + "area_filter_area_count": "{count} {count, plural,\n one {area}\n other {areas}\n}", + "all_areas": "All areas", + "show_area": "Show {area}", + "hide_area": "Hide {area}", + "statistic": "Statistic", + "statistic_picker_no_statistics": "You don't have any statistics", + "no_matching_statistics_found": "No matching statistics found", + "statistic_picker_missing_entity": "Why is my entity not listed?", + "learn_more_about_statistics": "Learn more about statistics", + "add_on": "Add-on", + "error_no_supervisor": "Storage is not supported on your installation.", + "error_fetch_addons": "There was an error loading add-ons.", + "mount_picker_use_datadisk": "Use data disk for backup", + "error_fetch_mounts": "There was an error loading the locations.", + "speech_to_text": "Speech-to-text", + "filter": "Filter", + "filter_by_entity": "Filter by entity", + "filter_by_device": "Filter by device", + "filter_by_area": "Filter by area", + "entity_entity_name": "entity: {entity_name}", + "device_device_name": "device: {device_name}", + "area_area_name": "area: {area_name}", + "uploading": "Uploading...", + "uploading_name": "Uploading {name}", + "add_file": "Add file", + "file_upload_secondary": "Or drop your file here", + "add_picture": "Add picture", + "change_picture": "Change picture", + "current_picture": "Current picture", + "picture_upload_supported_formats": "Supports JPEG, PNG, or GIF image.", + "default_color_state": "Default color (state)", + "primary": "Primary", + "accent": "Accent", + "disabled": "Disabled", + "inactive": "Inactive", + "red": "Red", + "pink": "Pink", + "purple": "Purple", + "deep_purple": "Deep purple", + "indigo": "Indigo", + "blue": "Blue", + "light_blue": "Light blue", + "cyan": "Cyan", + "teal": "Teal", + "green": "Green", + "light_green": "Light green", + "lime": "Lime", + "yellow": "Yellow", + "amber": "Amber", + "orange": "Orange", + "deep_orange": "Deep orange", + "brown": "Brown", + "light_grey": "Light grey", + "grey": "Grey", + "dark_grey": "Dark grey", + "blue_grey": "Blue grey", + "black": "Black", + "white": "White", + "start_date": "Start date", + "end_date": "End date", + "select_time_period": "Select time period", + "today": "Today", + "yesterday": "Yesterday", + "this_week": "This week", + "last_week": "Last week", + "this_quarter": "This quarter", + "this_month": "This month", + "last_month": "Last month", + "this_year": "This year", + "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", + "never": "Never", + "history_integration_disabled": "History integration disabled", + "loading_state_history": "Loading state history…", + "no_state_history_found": "No state history found.", + "unable_to_load_history": "Unable to load history", + "source_history": "Source: History", + "source_long_term_statistics": "Source: Long term statistics", + "unable_to_load_map": "Unable to load map", + "loading_statistics": "Loading statistics…", + "no_statistics_found": "No statistics found.", + "min": "Min", + "max": "Max", + "mean": "Mean", + "sum": "Sum", + "change": "Change", + "service": "service", + "this_field_is_required": "This field is required", + "targets": "Targets", + "service_data": "Service data", + "integration_documentation": "Integration documentation", + "no_related_items_found": "No related items found.", + "related_entities": "Related entities", + "related_items_group": "Part of the following groups", + "related_items_scene": "Part of the following scenes", + "related_items_script": "Part of the following scripts", + "related_items_automation": "Part of the following automations", + "using_blueprint": "Using blueprint", + "no_data": "No data", + "filtering_by": "Filtering by", + "number_hidden": "{number} hidden", + "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", + "message": "Message", + "gender": "Gender", + "male": "Male", + "female": "Female", + "say": "Say", + "set_as_default_options": "Set as default options", + "tts_faild_to_store_defaults": "Failed to store defaults: {error}", + "pick": "Pick", + "play_media": "Play media", + "no_items": "No items", + "choose_player": "Choose player", + "web_browser": "Web browser", + "media_player": "Media player", + "media_browsing_error": "Media browsing error", + "documentation": "documentation", + "no_local_media_found": "No local media found", + "media_management": "Media management", + "manage": "Manage", + "no_media_items_found": "No media items found", + "file_management_folders_not_supported": "Folders cannot be managed via the UI.", + "file_management_highlight_button": "Click here to upload your first media", + "upload_failed_reason": "Upload failed: {reason}", + "add_media": "Add media", + "delete_count": "Delete {count}", + "deleting_count": "Deleting {count}", + "storage": "Storage", + "album": "Album", + "app": "App", + "artist": "Artist", + "channel": "Channel", + "composer": "Composer", + "contributing_artist": "Contributing artist", + "library": "Library", + "episode": "Episode", + "game": "Game", + "genre": "Genre", + "image": "Image", + "movie": "Movie", + "music": "Music", + "playlist": "Playlist", + "podcast": "Podcast", + "season": "Season", + "track": "Track", + "tv_show": "TV show", + "url": "URL", + "video": "Video", + "media_browser_media_player_unavailable": "The selected media player is unavailable.", + "auto": "Auto", + "grid": "Grid", + "list": "List", + "task_name": "Task name", + "description": "Description", + "add_item": "Add item", + "delete_item": "Delete item", + "edit_item": "Edit item", + "save_item": "Save item", + "due_date": "Due date", + "item_not_all_required_fields": "Not all required fields are filled in", + "confirm_delete_prompt": "Do you want to delete this item?", + "my_calendars": "My calendars", + "create_calendar": "Create calendar", + "calendar_event_retrieval_error": "Could not retrieve events for calendars:", + "add_event": "Add event", + "delete_event": "Delete event", + "edit_event": "Edit event", + "save_event": "Save event", + "all_day": "All day", + "end": "End", + "delete_only_this_event": "Delete only this event", + "delete_all_future_events": "Delete all future events", + "update_event": "Update event", + "update_only_this_event": "Update only this event", + "update_all_future_events": "Update all future events", + "repeat": "Repeat", + "no_repeat": "No repeat", + "yearly": "Yearly", + "monthly": "Monthly", + "weekly": "Weekly", + "repeat_interval": "Repeat interval", + "months": "months", + "weeks": "weeks", + "days": "days", + "repeat_monthly": "Repeat monthly", + "sun": "Sun", + "mon": "Mon", + "tue": "Tue", + "wed": "Wed", + "thu": "Thu", + "fri": "Fri", + "sat": "Sat", + "after": "After", + "on": "On", + "end_on": "End on", + "end_after": "End after", + "ocurrences": "ocurrences", + "every": "every", + "years": "years", + "year": "Year", + "month": "Month", + "week": "Week", + "weekdays": "weekdays", + "weekday": "weekday", + "until": "until", + "for": "for", + "in": "In", + "on_the": "on the", + "or": "Or", + "at": "at", + "last": "Last", + "times": "times", + "summary": "Summary", + "attributes": "Attributes", + "select_camera": "Select camera", + "qr_scanner_not_supported": "Your browser doesn't support QR scanning.", + "enter_qr_code_value": "Enter QR code value", + "increase_temperature": "Increase temperature", + "decrease_temperature": "Decrease temperature", + "copy_to_clipboard": "Copy to clipboard", + "safe_mode": "Safe mode", + "all_yaml_configuration": "All YAML configuration", + "domain": "Domain", + "location_customizations": "Location & customizations", + "reload_group": "Groups, group entities, and notify services", + "automations": "Automations", + "scripts": "Scripts", + "scenes": "Scenes", + "people": "People", + "zones": "Zones", + "input_booleans": "Input booleans", + "input_texts": "Input texts", + "input_numbers": "Input numbers", + "input_date_times": "Input date times", + "input_selects": "Input selects", + "template_entities": "Template entities", + "universal_media_player_entities": "Universal media player entities", + "reload_rest": "Rest entities and notify services", + "command_line_entities": "Command line entities", + "filter_entities": "Filter entities", + "statistics_entities": "Statistics entities", + "generic_ip_camera_entities": "Generic IP camera entities", + "generic_thermostat_entities": "Generic thermostat entities", + "homekit": "HomeKit", + "min_max_entities": "Min/max entities", + "history_stats_entities": "History stats entities", + "trend_entities": "Trend entities", + "ping_binary_sensor_entities": "Ping binary sensor entities", + "file_size_entities": "File size entities", + "telegram_notify_services": "Telegram notify services", + "smtp_notify_services": "SMTP notify services", + "manually_configured_mqtt_entities": "Manually configured MQTT entities", + "raspberry_pi_gpio_entities": "Raspberry Pi GPIO entities", + "themes": "Themes", + "action_server": "{action} server", + "restart": "Restart", + "reload": "Reload", + "navigate": "Navigate", + "server": "Server", + "logs": "Logs", + "integrations": "Integrations", + "helpers": "Helpers", + "tag": "Tags", + "devices": "Devices", + "entities": "Entities", + "energy_configuration": "Energy Configuration", + "dashboards": "Dashboards", + "about": "About", + "network": "Network", + "updates": "Updates", + "hardware": "Hardware", + "general": "General", + "backups": "Backups", + "analytics": "Analytics", + "system_health": "System Health", + "blueprints": "Blueprints", + "yaml": "YAML", + "system": "System", + "add_on_dashboard": "Add-on Dashboard", + "add_on_store": "Add-on Store", + "addon_info": "{addon} Info", + "entity_filter": "Entity filter", + "quick_search": "Quick search", + "nothing_found": "Nothing found!", + "assist": "Assist", + "voice_command_did_not_hear": "Home Assistant did not hear anything", + "didn_t_quite_get_that": "Didn't quite get that", + "voice_command_found": "I found the following for you:", + "voice_command_error": "Oops, an error has occurred", + "how_can_i_assist": "How can I assist?", + "enter_a_request": "Enter a request", + "send_text": "Send text", + "start_listening": "Start listening", + "manage_assistants": "Manage assistants", + "the_documentation": "the documentation", + "are_you_sure": "Are you sure?", + "crop": "Crop", + "picture_to_crop": "Picture to crop", + "dismiss_dialog": "Dismiss dialog", + "edit_entity": "Edit entity", + "details": "Details", + "back_to_info": "Back to info", + "information": "Information", + "related": "Related", + "device_info": "Device info", + "last_changed": "Last changed", + "last_updated": "Last updated", + "show_more": "Show more", + "exit_edit_mode": "Exit edit mode", + "last_action": "Last action", + "azimuth": "Azimuth", + "elevation": "Elevation", + "rising": "Rising", + "setting": "Setting", + "read_release_announcement": "Read release announcement", + "clear_skipped": "Clear skipped", + "install": "Install", + "create_backup_before_updating": "Create backup before updating", + "update_instructions": "Update instructions", + "current_activity": "Current activity", + "status": "Status", + "vacuum_cleaner_commands": "Vacuum cleaner commands:", + "fan_speed": "Fan speed", + "clean_spot": "Clean spot", + "locate": "Locate", + "return_home": "Return home", + "start_pause": "Start Pause", + "person_create_zone": "Create zone from current location", + "switch_to_button_mode": "Switch to button mode", + "switch_to_position_mode": "Switch to position mode", + "people_in_zone": "People in zone", + "edit_favorite_colors": "Edit favorite colors", + "color": "Color", + "set_white": "Set white", + "select_effect": "Select effect", + "change_color": "Change color", + "set_favorite_color_number": "Set favorite color {number}", + "edit_favorite_color_number": "Edit favorite color {number}", + "delete_favorite_color_number": "Delete favorite color {number}", + "delete_favorite_color": "Delete favorite color?", + "favorite_color_delete_confirm_text": "This favorite color will be permanently deleted.", + "add_new_favorite_color": "Add new favorite color", + "edit_favorite_color": "Edit favorite color", + "add_favorite_color": "Add favorite color", + "set_forward_direction": "Set forward direction", + "set_reverse_direction": "Set reverse direction", + "turn_on_oscillating": "Turn on oscillating", + "turn_off_oscillating": "Turn off oscillating", + "activity": "Activity", + "lawn_mower_commands": "Lawn mower commands", + "control": "Control", + "default_code": "Default code", + "editor_default_code_error": "Code does not match code format", + "entity_id": "Entity ID", + "unit_of_measurement": "Unit of Measurement", + "precipitation_unit": "Precipitation unit", + "display_precision": "Display precision", + "default_value": "Default ({value})", + "barometric_pressure_unit": "Barometric pressure unit", + "temperature_unit": "Temperature unit", + "visibility_unit": "Visibility unit", + "wind_speed_unit": "Wind speed unit", + "show_as": "Show as", + "show_switch_as": "Show switch as", + "invert_state": "Invert state", + "door": "Door", + "garage_door": "Garage door", + "window": "Window", + "opening": "Opening", + "battery": "Battery", + "battery_charging": "Battery charging", + "carbon_monoxide": "Carbon monoxide", + "cold": "Cold", + "connectivity": "Connectivity", + "gas": "Gas", + "heat": "Heat", + "light": "Light", + "moisture": "Moisture", + "motion": "Motion", + "moving": "Moving", + "occupancy": "Occupancy", + "plug": "Plug", + "power": "Power", + "presence": "Presence", + "problem": "Problem", + "safety": "Safety", + "smoke": "Smoke", + "sound": "Sound", + "tamper": "Tamper", + "update": "Update", + "vibration": "Vibration", + "gate": "Gate", + "shade": "Shade", + "awning": "Awning", + "blind": "Blind", + "curtain": "Curtain", + "damper": "Damper", + "shutter": "Shutter", + "outlet": "Outlet", + "this_entity_is_unavailable": "This entity is unavailable.", + "entity_status": "Entity status", + "change_area": "Change Area", + "enabled": "Enabled", + "editor_enabled_cause": "Cannot change status. Disabled by {cause}.", + "visible": "Visible", + "hidden_by_cause": "Hidden by {cause}.", + "editor_device_disabled": "The device of this entity is disabled.", + "this_entity_is_disabled": "This entity is disabled.", + "open_device_settings": "Open device settings", + "use_device_area": "Use device area", + "editor_change_device_settings": "You can {link} in the device settings", + "change_the_device_area": "change the device area", + "integration_options": "{integration} options", + "specific_options_for_integration": "Specific options for {integration}", + "preload_camera_stream": "Preload camera stream", + "camera_stream_orientation": "Camera stream orientation", + "no_orientation_transform": "No orientation transform", + "mirror": "Mirror", + "rotate": "Rotate 180", + "flip": "Flip", + "rotate_left_and_flip": "Rotate left and flip", + "rotate_left": "Rotate left", + "rotate_right_and_flip": "Rotate right and flip", + "rotate_right": "Rotate right", + "voice_assistants": "Voice assistants", + "enable_type": "Enable {type}", + "device_registry_detail_enabled_cause": "The {type} is disabled by {cause}.", + "unknown_error": "Unknown error", + "expose": "Expose", + "aliases": "Aliases", + "ask_for_pin": "Ask for PIN", + "managed_in_configuration_yaml": "Managed in configuration.yaml", + "unsupported": "Unsupported", + "more_info_about_entity": "More info about entity", + "restart_home_assistant": "Restart Home Assistant?", + "advanced_options": "Advanced options", + "quick_reload": "Quick reload", + "reload_description": "Reloads zones from the YAML-configuration.", + "reloading_configuration": "Reloading configuration", + "failed_to_reload_configuration": "Failed to reload configuration", + "restart_description": "Interrupts all running automations and scripts.", + "restart_failed": "Failed to restart Home Assistant", + "stop_home_assistant": "Stop Home Assistant?", + "reboot_system": "Reboot system?", + "reboot": "Reboot", + "rebooting_system": "Rebooting system", + "failed_to_reboot_system": "Failed to reboot system", + "shut_down_system": "Shut down system?", + "shut_down": "Shut down", + "shutting_down_system": "Shutting down system", + "shutdown_failed": "Failed to shut down system", + "restart_safe_mode_title": "Restart Home Assistant in safe mode", + "restart_safe_mode_confirm_title": "Restart Home Assistant in safe mode?", + "name_aliases": "{name} aliases", + "alias": "Alias", + "remove_alias": "Remove alias", + "add_alias": "Add alias", + "aliases_no_aliases": "No aliases have been added yet", + "input_datetime_mode": "What do you want to input", + "minimum_length": "Minimum length", + "maximum_length": "Maximum length", + "display_mode": "Display mode", + "password": "Password", + "regex_pattern": "Regex pattern", + "used_for_client_side_validation": "Used for client-side validation", + "minimum_value": "Minimum Value", + "maximum_value": "Maximum Value", + "input_field": "Input field", + "slider": "Slider", + "step_size": "Step size", + "options": "Options", + "add_option": "Add option", + "remove_option": "Remove option", + "input_select_no_options": "There are no options yet.", + "initial_value": "Initial value", + "restore": "Restore", + "loading_loading_step": "Loading next step for {integration}", + "options_successfully_saved": "Options successfully saved.", + "repair_issue": "Repair issue", + "the_issue_is_repaired": "The issue is repaired!", + "system_options_for_integration": "System options for {integration}", + "enable_newly_added_entities": "Enable newly added entities.", + "enable_polling_for_updates": "Enable polling for updates.", + "reconfiguring_device": "Reconfiguring device", + "configuring": "Configuring", + "start_reconfiguration": "Start reconfiguration", + "device_reconfiguration_complete": "Device reconfiguration complete.", + "show_details": "Show details", + "hide_details": "Hide details", + "cluster": "Cluster", + "binding": "Binding", + "reporting": "Reporting", + "min_max_change": "min/max/change", + "manage_zigbee_device": "Manage zigbee device", + "clusters": "Clusters", + "bindings": "Bindings", + "signature": "Signature", + "neighbors": "Neighbors", + "by_manufacturer": "by {manufacturer}", + "zigbee_device_signature": "Zigbee device signature", + "zigbee_device_children": "Zigbee device children", + "buttons_add": "Add devices via this device", + "reconfigure": "Reconfigure", + "view_network": "View network", + "services_remove": "Remove a device from the Zigbee network.", + "services_zigbee_information": "View the Zigbee information for the device.", + "quirk": "Quirk", + "last_seen": "Last seen", + "power_source": "Power source", + "change_device_name": "Change device name", + "device_debug_info": "{device} debug info", + "mqtt_device_debug_info_deserialize": "Attempt to parse MQTT messages as JSON", + "no_entities": "No entities", + "no_triggers": "No triggers", + "payload_display": "Payload display", + "mqtt_device_debug_info_recent_messages": "{n} most recently received message(s)", + "mqtt_device_debug_info_recent_tx_messages": "{n} most recently transmitted message(s)", + "show_as_yaml": "Show as YAML", + "triggers": "Triggers", + "unsupported_title": "You are running an unsupported installation", + "reasons_apparmor": "AppArmor is not enabled on the host", + "content_trust_validation_is_disabled": "Content-trust validation is disabled", + "dbus": "DBUS", + "docker_configuration": "Docker configuration", + "docker_version": "Docker version", + "ignored_job_conditions": "Ignored job conditions", + "lxc": "LXC", + "network_manager": "Network manager", + "operating_system": "Operating system", + "os_agent": "OS Agent", + "supervisor_is_not_privileged": "Supervisor is not privileged", + "unsupported_software_detected": "Unsupported software detected", + "source_modifications": "Source modifications", + "systemd": "Systemd", + "systemd_resolved": "Systemd-Resolved", + "your_installation_is_unhealthy": "Your installation is unhealthy", + "reasons_supervisor": "Supervisor was not able to update", + "reasons_setup": "Setup of the Supervisor failed", + "reasons_docker": "The Docker environment is not working properly", + "detected_untrusted_content": "Detected untrusted content", + "join_the_beta_channel": "Join the beta channel", + "join_beta_channel_release_items": "This includes beta releases for:", + "view_documentation": "View documentation", + "join": "Join", + "enter_code": "Enter code", + "try_text_to_speech": "Try text-to-speech", + "tts_try_message_example": "Hello. How can I assist?", + "tts_try_message_placeholder": "Enter a sentence to speak.", + "ip_information": "IP Information", + "ipv": "IPv6", + "ip_address_address": "IP Address: {address}", + "gateway_gateway": "Gateway: {gateway}", + "method_method": "Method: {method}", + "name_servers_nameservers": "Name Servers: {nameservers}", + "create_backup": "Create backup", + "update_backup_text": "This will create a backup before installing.", + "create": "Create", + "add_device": "Add device", + "matter_add_device_add_device_failed": "Failed to add the device", + "add_matter_device": "Add Matter device", + "no_it_s_new": "No. It’s new.", + "main_answer_existing": "Yes. It’s already in use.", + "main_answer_existing_description": "My device is connected to another controller.", + "new_playstore": "Get it on Google Play", + "new_appstore": "Download on the App Store", + "existing_question": "Which controller is it connected to?", + "google_home": "Google Home", + "apple_home": "Apple Home", + "other_controllers": "Other controllers", + "link_matter_app": "Link Matter app", + "tap_linked_matter_apps_services": "Tap {linked_matter_apps_services}.", + "google_home_linked_matter_apps_services": "Linked Matter apps and services", + "link_apps_services": "Link apps & services", + "copy_pairing_code": "Copy pairing code", + "use_pairing_code": "Use Pairing Code", + "pairing_code": "Pairing code", + "copy_setup_code": "Copy setup code", + "apple_home_step": "You now see the setup code.", + "accessory_settings": "Accessory Settings", + "turn_on_pairing_mode": "Turn On Pairing Mode", + "setup_code": "Setup code", + "monday": "Monday", + "tuesday": "Tuesday", + "wednesday": "Wednesday", + "thursday": "Thursday", + "friday": "Friday", + "saturday": "Saturday", + "sunday": "Sunday", + "no_type_provided": "No type provided.", + "configuration_errors_detected": "Configuration errors detected", + "config_editor_not_available": "No visual editor available for type ''{type}''.", + "config_key_missing": "Required key ''{key}'' is missing.", + "config_no_template_editor_support": "Templates not supported in visual editor", + "supervisor_title": "Could not load the Supervisor panel!", + "ask_for_help": "Ask for help.", + "supervisor_reboot": "Try a reboot of the host.", + "check_the_observer": "Check the observer.", + "check_the_system_health": "Check the system health.", + "remember": "Remember", + "log_in": "Log in", + "notification_drawer_click_to_configure": "Click button to configure {entity}", + "no_notifications": "No notifications", + "notifications": "Notifications", + "dismiss_all": "Dismiss all", + "notification_toast_service_call_failed": "Failed to call service {service}.", + "connection_lost_reconnecting": "Connection lost. Reconnecting…", + "home_assistant_has_started": "Home Assistant has started!", + "triggered_name": "Triggered {name}", + "notification_toast_no_matching_link_found": "No matching My link found for {path}", + "app_configuration": "App configuration", + "sidebar_toggle": "Sidebar toggle", + "hide_panel": "Hide panel", + "show_panel": "Show panel", + "show_more_information": "Show more information", + "actions_no_entity_more_info": "No entity provided for more info dialog", + "actions_no_entity_toggle": "No entity provided to toggle", + "no_navigation_path_specified": "No navigation path specified", + "actions_no_url": "No URL to open specified", + "actions_no_service": "No service to run specified", + "welcome_home": "Welcome Home", + "empty_state_go_to_integrations_page": "Go to the integrations page.", + "never_triggered": "Never triggered", + "active": "Active", + "todo_list_no_unchecked_items": "You have no to-do items!", + "completed": "Completed", + "remove_completed_items": "Remove completed items?", + "reorder_items": "Reorder items", + "exit_reorder_mode": "Exit reorder mode", + "drag_and_drop": "Drag and drop", + "hold": "Hold:", + "tap": "Tap:", + "navigate_to_location": "Navigate to {location}", + "open_window_to_url_path": "Open window to {url_path}", + "toggle_name": "Toggle {name}", + "call_service_name": "Call service {name}", + "show_more_info_name": "Show more info: {name}", + "recovery_mode_activated": "Recovery mode activated", + "starting_description": "Home Assistant is starting, please wait…", + "reset_focus": "Reset focus", + "energy_no_data_period": "There is no data for this period.", + "total_consumed_num_kwh": "Total consumed {num} kWh", + "total_returned_num_kwh": "Total returned {num} kWh", + "combined_from_grid": "Combined from grid", + "consumed_solar": "Consumed solar", + "consumed_battery": "Consumed battery", + "grid_total": "Grid total", + "gas_total": "Gas total", + "solar_total": "Solar total", + "water_total": "Water total", + "cost": "Cost", + "previous_energy": "Previous energy", + "previous_cost": "Previous cost", + "battery_total": "Battery total", + "total_costs": "Total costs", + "production_name": "Production {name}", + "forecast_name": "Forecast {name}", + "total_produced_num_kwh": "Total produced {num} kWh", + "total_consumed_num_unit": "Total consumed {num} {unit}", + "self_consumed_solar_energy": "Self-consumed solar energy", + "solar_consumed_gauge_not_produced_solar_energy": "You have not produced any solar energy", + "solar_consumed_gauge_self_consumed_solar_could_not_calc": "Self-consumed solar energy couldn't be calculated", + "self_sufficiency": "Self-sufficiency", + "self_sufficiency_couldn_t_be_calculated": "Self-sufficiency couldn't be calculated", + "grid_neutrality_gauge_energy_dependency": "This card indicates your net energy usage.", + "grid_neutrality_gauge_net_returned_grid": "Net returned to the grid", + "grid_neutrality_gauge_net_consumed_grid": "Net consumed from the grid", + "grid_neutrality_gauge_grid_neutrality_not_calculated": "Grid neutrality could not be calculated", + "energy_distribution_today": "Energy distribution today", + "water": "Water", + "solar": "Solar", + "low_carbon": "Low-carbon", + "energy_distribution_go_to_energy_dashboard": "Go to the energy dashboard", + "energy_usage": "Energy usage", + "previous_energy_usage": "Previous energy usage", + "low_carbon_energy_consumed": "Low-carbon energy consumed", + "carbon_consumed_gauge_low_carbon_energy_not_calculated": "Consumed low-carbon energy couldn't be calculated", + "unused_entities": "Unused entities", + "search_entities": "Search entities", + "no_unused_entities_found": "No unused entities found", + "saving_dashboard_configuration_failed": "Saving dashboard configuration failed.", + "delete_view": "Delete view", + "views_delete_named_view_only": "''{name}'' view will be deleted.", + "views_delete_unnamed_view_only": "This view will be deleted.", + "edit_dashboard": "Edit dashboard", + "reload_resources": "Reload resources", + "reload_resources_refresh_header": "Do you want to refresh?", + "edit_ui": "Edit UI", + "open_dashboard_menu": "Open dashboard menu", + "raw_configuration_editor": "Raw configuration editor", + "manage_dashboards": "Manage dashboards", + "manage_resources": "Manage resources", + "edit_configuration": "Edit configuration", + "unsaved_changes": "Unsaved changes", + "saved": "Saved", + "raw_editor_error_parse_yaml": "Unable to parse YAML: {error}", + "raw_editor_error_invalid_config": "Your configuration is not valid: {error}", + "raw_editor_error_save_yaml": "Unable to save YAML: {error}", + "raw_editor_error_remove": "Unable to remove configuration: {error}", + "title_of_your_dashboard": "Title of your dashboard", + "edit_title": "Edit title", + "title": "Title", + "view_configuration": "View configuration", + "name_view_configuration": "{name} View Configuration", + "add_view": "Add view", + "background_title": "Add a background to the view", + "edit_view": "Edit view", + "move_view_left": "Move view left", + "move_view_right": "Move view right", + "background": "Background", + "badges": "Badges", + "view_type": "View type", + "masonry_default": "Masonry (default)", + "sidebar": "Sidebar", + "panel_card": "Panel (1 card)", + "sections_experimental": "Sections (experimental)", + "subview": "Subview", + "max_number_of_columns": "Max number of columns", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", + "saving_failed": "Saving failed", + "card_configuration": "Card configuration", + "type_card_configuration": "{type} Card configuration", + "edit_card_pick_card": "Which card would you like to add?", + "toggle_editor": "Toggle editor", + "you_have_unsaved_changes": "You have unsaved changes", + "edit_card_confirm_cancel": "Are you sure you want to cancel?", + "show_visual_editor": "Show visual editor", + "show_code_editor": "Show code editor", + "add_card": "Add card", + "copy": "Copy", + "cut": "Cut", + "move_to_view": "Move to view", + "move_card_before": "Move card before", + "move_card_after": "Move card after", + "change_card_position": "Change card position", + "decrease_card_position": "Decrease card position", + "increase_card_position": "Increase card position", + "more_options": "More options", + "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", + "move_card_error_title": "Impossible to move the card", + "choose_a_view": "Choose a view", + "dashboard": "Dashboard", + "view": "View", + "no_config_found": "No config found.", + "select_view_no_views": "No views in this dashboard.", + "strategy": "strategy", + "unnamed_section": "Unnamed section", + "create_section": "Create section", + "delete_section": "Delete section", + "delete_section_text_named_section_only": "''{name}'' section will be deleted.", + "delete_section_text_unnamed_section_only": "This section will be deleted.", + "edit_section": "Edit section", + "suggest_card_header": "We created a suggestion for you", + "pick_different_card": "Pick different card", + "add_to_dashboard": "Add to dashboard", + "save_config_header": "Take control of your dashboard", + "save_config_empty_config": "Start with an empty dashboard", + "take_control": "Take control", + "configuration_incompatible": "Configuration incompatible", + "migrate_configuration": "Migrate configuration", + "navigation_path": "Navigation path", + "url_path": "URL path", + "default_action": "Default action", + "call_service": "Call service", + "more_info": "More info", + "no_action": "No action", + "add_condition": "Add condition", + "test": "Test", + "condition_passes": "Condition passes", + "condition_did_not_pass": "Condition did not pass", + "invalid_configuration": "Invalid configuration", + "entity_numeric_state": "Entity numeric state", + "above": "Above", + "below": "Below", + "screen": "Screen", + "screen_sizes": "Screen sizes", + "mobile": "Mobile", + "tablet": "Tablet", + "desktop": "Desktop", + "wide": "Wide", + "min_size_px": "min: {size}px", + "entity_state": "Entity state", + "state_is_equal_to": "State is equal to", + "state_state_not_equal": "State is not equal to", + "current": "Current", + "alarm_panel": "Alarm panel", + "available_states": "Available states", + "alert_classes": "Alert Classes", + "sensor_classes": "Sensor Classes", + "area_show_camera": "Show camera feed instead of area picture", + "initial_view": "Initial view", + "calendar_entities": "Calendar entities", + "list_days": "List (7 days)", + "conditional": "Conditional", + "conditions": "Conditions", + "card": "Card", + "change_type": "Change type", + "show_header_toggle": "Show header toggle?", + "toggle_entities": "Toggle entities.", + "special_row": "special row", + "entity_row_editor": "Entity row editor", + "no_secondary_info": "No secondary info", + "divider": "Divider", + "section": "Section", + "web_link": "Web link", + "buttons": "Buttons", + "cast": "Cast", + "button": "Button", + "secondary_information": "Secondary information", + "gauge": "Gauge", + "display_as_needle_gauge": "Display as needle gauge?", + "define_severity": "Define severity?", + "glance": "Glance", + "columns": "Columns", + "render_cards_as_squares": "Render cards as squares", + "history_graph": "History graph", + "logarithmic_scale": "Logarithmic scale", + "y_axis_minimum": "Y axis minimum", + "y_axis_maximum": "Y axis maximum", + "history_graph_fit_y_data": "Extend Y axis limits to fit data", + "statistics_graph": "Statistics graph", + "period": "Period", + "unit": "Unit", + "show_stat_types": "Show stat types", + "chart_type": "Chart type", + "hour": "Hour", + "minutes": "5 Minutes", + "add_a_statistic": "Add a statistic", + "hide_legend": "Hide legend", + "show_stat": "Show stat", + "horizontal_stack": "Horizontal stack", + "humidifier": "Humidifier", + "humidifier_show_current_as_primary": "Show current humidity as primary information", + "webpage": "Webpage", + "alternative_text": "Alternative text", + "aspect_ratio": "Aspect ratio", + "camera_entity": "Camera entity", + "image_entity": "Image entity", + "camera_view": "Camera view", + "double_tap_action": "Double tap action", + "hold_action": "Hold action", + "hours_to_show": "Hours to show", + "days_to_show": "Days to show", + "icon_height": "Icon height", + "image_path": "Image path", + "maximum": "Maximum", + "manual": "Manual", + "minimum": "Minimum", + "paste_from_clipboard": "Paste from clipboard", + "generic_paste_description": "Paste a {type} card from the clipboard", + "refresh_interval": "Refresh interval", + "show_icon": "Show icon?", + "show_name": "Show name?", + "show_state": "Show state?", + "tap_action": "Tap action", + "secondary_info_attribute": "Secondary info attribute", + "generic_state_color": "Color icons based on state?", + "suggested_cards": "Suggested cards", + "other_cards": "Other cards", + "custom_cards": "Custom cards", + "geolocation_sources": "Geolocation sources", + "dark_mode": "Dark mode?", + "appearance": "Appearance", + "theme_mode": "Theme mode.", + "dark": "Dark", + "default_zoom": "Default Zoom", + "markdown": "Markdown", + "content": "Content", + "media_control": "Media control", + "picture": "Picture", + "picture_elements": "Picture elements", + "picture_entity": "Picture entity", + "picture_glance": "Picture glance", + "state_entity": "State entity", + "plant_status": "Plant status", + "sensor": "Sensor", + "show_more_detail": "Show more detail", + "graph_type": "Graph type", + "to_do_list": "To-do list", + "thermostat": "Thermostat", + "thermostat_show_current_as_primary": "Show current temperature as primary information", + "tile": "Tile", + "icon_tap_action": "Icon tap action", + "actions": "Actions", + "show_entity_picture": "Show entity picture", + "vertical": "Vertical", + "hide_state": "Hide state", + "state_content": "State content", + "vertical_stack": "Vertical stack", + "weather_forecast": "Weather forecast", + "weather_to_show": "Weather to show", + "weather_forecast_show_both": "Show current weather and forecast", + "show_only_current_weather": "Show only current Weather", + "show_only_forecast": "Show only forecast", + "select_forecast_type": "Select forecast type", + "no_type": "No type", + "features": "Features", + "not_compatible": "Not compatible", + "features_no_compatible_available": "No compatible features available for this entity", + "add_feature": "Add feature", + "edit_feature": "Edit feature", + "remove_feature": "Remove feature", + "cover_open_close": "Cover open/close", + "cover_position": "Cover position", + "cover_tilt": "Cover tilt", + "cover_tilt_position": "Cover tilt position", + "alarm_modes": "Alarm modes", + "customize_alarm_modes": "Customize alarm modes", + "light_brightness": "Light brightness", + "light_color_temperature": "Light color temperature", + "lock_commands": "Lock commands", + "lock_open_door": "Lock open door", + "vacuum_commands": "Vacuum commands", + "commands": "Commands", + "climate_fan_modes": "Climate fan modes", + "style": "Style", + "dropdown": "Dropdown", + "icons": "Icons", + "customize_fan_modes": "Customize fan modes", + "fan_modes": "Fan modes", + "climate_swing_modes": "Climate swing modes", + "swing_modes": "Swing modes", + "customize_swing_modes": "Customize swing modes", + "climate_hvac_modes": "Climate HVAC modes", + "hvac_modes": "HVAC modes", + "customize_hvac_modes": "Customize HVAC modes", + "climate_preset_modes": "Climate preset modes", + "customize_preset_modes": "Customize preset modes", + "preset_modes": "Preset modes", + "fan_preset_modes": "Fan preset modes", + "humidifier_toggle": "Humidifier toggle", + "humidifier_modes": "Humidifier modes", + "customize_modes": "Customize modes", + "select_options": "Select options", + "customize_options": "Customize options", + "numeric_input": "Numeric input", + "water_heater_operation_modes": "Water heater operation modes", + "operation_modes": "Operation modes", + "customize_operation_modes": "Customize operation modes", + "update_actions": "Update actions", + "backup": "Backup", + "ask": "Ask", + "backup_is_not_supported": "Backup is not supported.", + "hide_entities_without_area": "Hide entities without area", + "hide_energy": "Hide energy", + "no_description_available": "No description available.", + "by_entity": "By entity", + "by_card": "By Card", + "header": "Header", + "footer": "Footer", + "choose_a_type": "Choose a {type}", + "graph": "Graph", + "header_editor": "Header editor", + "footer_editor": "Footer editor", + "feature_editor": "Feature editor", + "warning_attribute_not_found": "Attribute {attribute} not available in: {entity}", + "entity_not_available_entity": "Entity not available: {entity}", + "entity_is_non_numeric_entity": "Entity is non-numeric: {entity}", + "warning_entity_unavailable": "Entity is currently unavailable: {entity}", + "invalid_timestamp": "Invalid timestamp", + "invalid_display_format": "Invalid display format", + "now": "Now", + "compare_data": "Compare data", + "reload_ui": "Reload UI", + "profiler": "Profiler", + "http": "HTTP", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", + "alarm_control_panel": "Alarm control panel", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", + "google_calendar": "Google Calendar", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", + "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", + "openweathermap": "OpenWeatherMap", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", + "filesize": "File Size", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", + "restful_command": "RESTful Command", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", + "input_text": "Input text", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", + "google_assistant_sdk": "Google Assistant SDK", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", + "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", + "wyoming_protocol": "Wyoming Protocol", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", + "hacs": "HACS", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", + "localtuya": "LocalTuya integration", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", + "speech_to_text_stt": "Speech-to-text (STT)", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", + "mobile_app": "Mobile App", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", + "logger": "Logger", + "local_calendar": "Local Calendar", + "synchronize_devices": "Synchronize devices", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", + "heavy": "Heavy", + "mild": "Mild", + "button_down": "Button down", + "button_up": "Button up", + "double_push": "Double push", + "long_push": "Long push", + "state_long_single": "Long push and then short push", + "single_push": "Single push", + "state_single_long": "Short push and then long push", + "triple_push": "Triple push", + "fault": "Fault", + "normal": "Normal", + "warm_up": "Warm-up", + "not_completed": "Not completed", + "pending": "Pending", + "checking": "Checking", + "closed": "Closed", + "closing": "Closing", + "failure": "Failure", + "opened": "Opened", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", + "screensaver_brightness": "Screensaver brightness", + "screensaver_timer": "Screensaver timer", + "current_page": "Current page", + "foreground_app": "Foreground app", + "internal_storage_free_space": "Internal storage free space", + "internal_storage_total_space": "Internal storage total space", + "free_memory": "Free memory", + "total_memory": "Total memory", + "screen_orientation": "Screen orientation", + "kiosk_lock": "Kiosk lock", + "maintenance_mode": "Maintenance mode", + "motion_detection": "Motion detection", + "screensaver": "Screensaver", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", + "animal": "Animal", + "detected": "Detected", + "animal_lens": "Animal lens 1", + "face": "Face", + "face_lens": "Face lens 1", + "motion_lens": "Motion lens 1", + "package": "Package", + "package_lens": "Package lens 1", + "person_lens": "Person lens 1", + "pet": "Pet", + "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", + "vehicle": "Vehicle", + "vehicle_lens": "Vehicle lens 1", + "visitor": "Visitor", + "visitor_lens": "Visitor lens 1", + "guard_go_to": "Guard go to", + "guard_set_current_position": "Guard set current position", + "ptz_calibrate": "PTZ calibrate", + "ptz_down": "PTZ down", + "ptz_left": "PTZ left", + "ptz_right": "PTZ right", + "ptz_stop": "PTZ stop", + "ptz_up": "PTZ up", + "ptz_zoom_in": "PTZ zoom in", + "ptz_zoom_out": "PTZ zoom out", + "autotrack_snapshots_clear": "Autotrack snapshots clear", + "autotrack_snapshots_fluent": "Autotrack snapshots fluent", + "autotrack_fluent": "Autotrack fluent", + "balanced": "Balanced", + "balanced_lens": "Balanced lens 1", + "clear_lens": "Clear lens 1", + "snapshots_clear": "Snapshots clear", + "snapshots_clear_lens": "Snapshots clear lens 1", + "snapshots_fluent": "Snapshots fluent", + "snapshots_fluent_lens": "Snapshots fluent lens 1", + "fluent": "Fluent", + "fluent_lens": "Fluent lens 1", + "floodlight": "Floodlight", + "ir_lights_name": "Infra red lights in night mode", + "status_led": "Status LED", + "ai_animal_delay": "AI animal delay", + "ai_animal_sensitivity": "AI animal sensitivity", + "ai_face_delay": "AI face delay", + "ai_face_sensitivity": "AI face sensitivity", + "ai_package_delay": "AI package delay", + "ai_package_sensitivity": "AI package sensitivity", + "ai_person_delay": "AI person delay", + "ai_person_sensitivity": "AI person sensitivity", + "ai_pet_delay": "AI pet delay", + "ai_pet_sensitivity": "AI pet sensitivity", + "ai_vehicle_delay": "AI vehicle delay", + "ai_vehicle_sensitivity": "AI vehicle sensitivity", + "auto_quick_reply_time": "Auto quick reply time", + "auto_track_disappear_time": "Auto track disappear time", + "auto_track_limit_left": "Auto track limit left", + "auto_track_limit_right": "Auto track limit right", + "auto_track_stop_time": "Auto track stop time", + "day_night_switch_threshold": "Day night switch threshold", + "floodlight_turn_on_brightness": "Floodlight turn on brightness", + "focus": "Focus", + "guard_return_time": "Guard return time", + "image_brightness": "Image brightness", + "image_contrast": "Image contrast", + "image_hue": "Image hue", + "image_saturation": "Image saturation", + "image_sharpness": "Image sharpness", + "motion_sensitivity": "Motion sensitivity", + "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", + "zoom": "Zoom", + "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", + "auto_track_method": "Auto track method", + "digital": "Digital", + "digital_first": "Digital first", + "pan_tilt_first": "Pan/tilt first", + "day_night_mode": "Day night mode", + "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", + "floodlight_mode": "Floodlight mode", + "adaptive": "Adaptive", + "auto_adaptive": "Auto adaptive", + "on_at_night": "On at night", + "play_quick_reply_message": "Play quick reply message", + "ptz_preset": "PTZ preset", + "battery_percentage": "Battery percentage", + "battery_state": "Battery state", + "charge_complete": "Charge complete", + "charging": "Charging", + "discharging": "Discharging", + "battery_temperature": "Battery temperature", + "event_connection": "Event connection", + "fast_poll": "Fast poll", + "onvif_long_poll": "ONVIF long poll", + "onvif_push": "ONVIF push", + "hdd_hdd_index_storage": "HDD {hdd_index} storage", + "ptz_pan_position": "PTZ pan position", + "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", + "auto_focus": "Auto focus", + "auto_tracking": "Auto tracking", + "buzzer_on_event": "Buzzer on event", + "doorbell_button_sound": "Doorbell button sound", + "email_on_event": "Email on event", + "ftp_upload": "FTP upload", + "guard_return": "Guard return", + "hdr": "HDR", + "manual_record": "Manual record", + "pir_enabled": "PIR enabled", + "pir_reduce_false_alarm": "PIR reduce false alarm", + "ptz_patrol": "PTZ patrol", + "push_notifications": "Push notifications", + "record": "Record", + "record_audio": "Record audio", + "siren_on_event": "Siren on event", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", + "running_automations": "Running automations", + "id": "ID", + "max_running_automations": "Max running automations", + "run_mode": "Run mode", + "parallel": "Parallel", + "queued": "Queued", + "single": "Single", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", + "buffering": "Buffering", + "paused": "Paused", + "playing": "Playing", + "standby": "Standby", + "app_id": "App ID", + "local_accessible_entity_picture": "Local accessible entity picture", + "group_members": "Group members", + "muted": "Muted", + "album_artist": "Album artist", + "content_id": "Content ID", + "content_type": "Content type", + "channels": "Channels", + "position_updated": "Position updated", + "series": "Series", + "all": "All", + "one": "One", + "available_sound_modes": "Available sound modes", + "available_sources": "Available sources", + "receiver": "Receiver", + "speaker": "Speaker", + "tv": "TV", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", + "armed_away": "Armed away", + "armed_custom_bypass": "Armed custom bypass", + "armed_home": "Armed home", + "armed_night": "Armed night", + "armed_vacation": "Armed vacation", + "disarming": "Disarming", + "triggered": "Triggered", + "changed_by": "Changed by", + "code_for_arming": "Code for arming", + "not_required": "Not required", + "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", + "last_reset": "Last reset", + "possible_states": "Possible states", + "state_class": "State class", + "measurement": "Measurement", + "total": "Total", + "total_increasing": "Total increasing", + "conductivity": "Conductivity", + "data_size": "Data size", + "balance": "Balance", + "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", + "clear_night": "Clear, night", + "cloudy": "Cloudy", + "exceptional": "Exceptional", + "fog": "Fog", + "hail": "Hail", + "lightning": "Lightning", + "lightning_rainy": "Lightning, rainy", + "partly_cloudy": "Partly cloudy", + "pouring": "Pouring", + "rainy": "Rainy", + "snowy": "Snowy", + "snowy_rainy": "Snowy, rainy", + "sunny": "Sunny", + "windy": "Windy", + "windy_cloudy": "Windy, cloudy", + "apparent_temperature": "Apparent temperature", + "cloud_coverage": "Cloud coverage", + "dew_point_temperature": "Dew point temperature", + "pressure_unit": "Pressure unit", + "uv_index": "UV index", + "wind_bearing": "Wind bearing", + "wind_gust_speed": "Wind gust speed", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", + "minute": "Minute", + "second": "Second", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", + "account_is_already_configured": "Account is already configured", + "abort_already_in_progress": "Configuration flow is already in progress", + "invalid_access_token": "Invalid access token", + "received_invalid_token_data": "Received invalid token data.", + "abort_oauth_failed": "Error while obtaining access token.", + "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", + "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", + "successfully_authenticated": "Successfully authenticated", + "link_fitbit": "Link Fitbit", + "pick_authentication_method": "Pick authentication method", + "authentication_expired_for_name": "Authentication expired for {name}", + "service_is_already_configured": "Service is already configured", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", + "solis_setup_flow": "Solis setup flow", + "error_auth": "Personal Access Token is not correct", + "portal_selection": "Portal selection", + "name_of_the_inverter": "Name of the inverter", + "data_portal_domain": "PV Portal URL, e.g. https://www.soliscloud.com:13333", + "data_portal_version": "PV Portal version (Soliscloud? Read the ReadMe!)", + "data_portal_username": "Portal username or email address", + "portal_password": "Portal password", + "data_portal_plant_id": "Station ID as found on portal website", + "enter_credentials_and_plantid": "Enter credentials and plantID", + "credentials_password_title": "Add Ginlong Portal v2 credentials", + "data_portal_key_id": "API Key ID provided by SolisCloud", + "data_portal_secret": "API Secret provided by SolisCloud", + "enter_credentials_and_stationid": "Enter credentials and stationID", + "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", + "invalid_birth_topic": "Invalid birth topic", + "error_bad_certificate": "The CA certificate is invalid", + "invalid_discovery_prefix": "Invalid discovery prefix", + "invalid_will_topic": "Invalid will topic", + "broker": "Broker", + "data_certificate": "Upload custom CA certificate file", + "upload_client_certificate_file": "Upload client certificate file", + "upload_private_key_file": "Upload private key file", + "data_keepalive": "The time between sending keep alive messages", + "mqtt_protocol": "MQTT protocol", + "broker_certificate_validation": "Broker certificate validation", + "use_a_client_certificate": "Use a client certificate", + "ignore_broker_certificate_validation": "Ignore broker certificate validation", + "mqtt_transport": "MQTT transport", + "data_ws_headers": "WebSocket headers in JSON format", + "websocket_path": "WebSocket path", + "enable_discovery": "Enable discovery", + "data_description_discovery": "Option to enable MQTT automatic discovery.", + "hassio_confirm_title": "deCONZ Zigbee gateway via Home Assistant add-on", + "reauth_confirm_title": "Re-authentication required with the MQTT broker", + "path_is_not_allowed": "Path is not allowed", + "path_is_not_valid": "Path is not valid", + "path_to_file": "Path to file", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", + "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", + "abort_mqtt_missing_api": "Missing API port in MQTT properties.", + "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", + "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.", + "service_received": "Service received", + "discovered_esphome_node": "Discovered ESPHome node", + "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", + "all_entities": "All entities", + "hide_members": "Hide members", + "add_group": "Add Group", + "ignore_non_numeric": "Ignore non-numeric", + "data_round_digits": "Round value to number of decimals", + "type": "Type", + "binary_sensor_group": "Binary sensor group", + "cover_group": "Cover group", + "event_group": "Event group", + "fan_group": "Fan group", + "light_group": "Light group", + "lock_group": "Lock group", + "media_player_group": "Media player group", + "sensor_group": "Sensor group", + "switch_group": "Switch group", + "abort_alternative_integration": "Device is better supported by another integration", + "abort_discovery_error": "Failed to discover a matching DLNA device", + "abort_incomplete_config": "Configuration is missing a required variable", + "manual_description": "URL to a device description XML file", + "manual_title": "Manual DLNA DMR device connection", + "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", + "calendar_name": "Calendar Name", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", + "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", + "not_supported": "Not Supported", + "localtuya_configuration": "LocalTuya Configuration", + "init_description": "Please select the desired action.", + "add_a_new_device": "Add a new device", + "edit_a_device": "Edit a device", + "reconfigure_cloud_api_account": "Reconfigure Cloud API account", + "discovered_devices": "Discovered Devices", + "edit_a_new_device": "Edit a new device", + "configured_devices": "Configured Devices", + "cloud_setup_description": "Input the credentials for Tuya Cloud API.", + "configure_tuya_device": "Configure Tuya device", + "configure_device_description": "Fill in the device details{for_device}.", + "device_id": "Device ID", + "local_key": "Local key", + "protocol_version": "Protocol Version", + "data_entities": "Entities (uncheck an entity to remove it)", + "data_add_entities": "Add more entities in 'edit device' mode", + "entity_type_selection": "Entity type selection", + "platform": "Platform", + "data_no_additional_entities": "Do not add any more entities", + "configure_entity": "Configure entity", + "friendly_name": "Friendly name", + "open_close_stop_commands_set": "Open_Close_Stop Commands Set", + "positioning_mode": "Positioning mode", + "data_current_position_dp": "Current Position (for *position* mode only)", + "data_set_position_dp": "Set Position (for *position* mode only)", + "data_position_inverted": "Invert 0-100 position (for *position* mode only)", + "scaling_factor": "Scaling Factor", + "on_value": "On Value", + "off_value": "Off Value", + "data_powergo_dp": "Power DP (Usually 25 or 2)", + "idle_status_comma_separated": "Idle Status (comma-separated)", + "returning_status": "Returning Status", + "docked_status_comma_separated": "Docked Status (comma-separated)", + "fault_dp_usually": "Fault DP (Usually 11)", + "data_battery_dp": "Battery status DP (Usually 14)", + "mode_dp_usually": "Mode DP (Usually 27)", + "modes_list": "Modes list", + "return_home_mode": "Return home mode", + "data_fan_speed_dp": "Fan speeds DP (Usually 30)", + "fan_speeds_list_comma_separated": "Fan speeds list (comma-separated)", + "data_clean_time_dp": "Clean Time DP (Usually 33)", + "data_clean_area_dp": "Clean Area DP (Usually 32)", + "data_clean_record_dp": "Clean Record DP (Usually 34)", + "locate_dp_usually": "Locate DP (Usually 31)", + "data_paused_state": "Pause state (pause, paused, etc)", + "stop_status": "Stop status", + "data_brightness": "Brightness (only for white color)", + "brightness_lower_value": "Brightness Lower Value", + "brightness_upper_value": "Brightness Upper Value", + "color_temperature_reverse": "Color Temperature Reverse", + "data_color_temp_min_kelvin": "Minimum Color Temperature in K", + "data_color_temp_max_kelvin": "Maximum Color Temperature in K", + "music_mode_available": "Music mode available", + "data_select_options": "Valid entries, separate entries by a ;", + "fan_speed_control_dps": "Fan Speed Control dps", + "fan_oscillating_control_dps": "Fan Oscillating Control dps", + "minimum_fan_speed_integer": "minimum fan speed integer", + "maximum_fan_speed_integer": "maximum fan speed integer", + "data_fan_speed_ordered_list": "Fan speed modes list (overrides speed min/max)", + "fan_direction_dps": "fan direction dps", + "forward_dps_string": "forward dps string", + "reverse_dps_string": "reverse dps string", + "dp_value_type": "DP value type", + "temperature_step_optional": "Temperature Step (optional)", + "max_temperature_optional": "Max Temperature (optional)", + "min_temperature_optional": "Min Temperature (optional)", + "data_precision": "Precision (optional, for DPs values)", + "data_target_precision": "Target Precision (optional, for DPs values)", + "temperature_unit_optional": "Temperature Unit (optional)", + "hvac_mode_dp_optional": "HVAC Mode DP (optional)", + "hvac_mode_set_optional": "HVAC Mode Set (optional)", + "data_hvac_action_dp": "HVAC Current Action DP (optional)", + "data_hvac_action_set": "HVAC Current Action Set (optional)", + "presets_dp_optional": "Presets DP (optional)", + "presets_set_optional": "Presets Set (optional)", + "eco_dp_optional": "Eco DP (optional)", + "eco_value_optional": "Eco value (optional)", + "enable_heuristic_action_optional": "Enable heuristic action (optional)", + "data_dps_default_value": "Default value when un-initialised (optional)", + "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", + "broker_options": "Broker options", + "enable_birth_message": "Enable birth message", + "birth_message_payload": "Birth message payload", + "birth_message_qos": "Birth message QoS", + "birth_message_retain": "Birth message retain", + "birth_message_topic": "Birth message topic", + "discovery_prefix": "Discovery prefix", + "enable_will_message": "Enable will message", + "will_message_payload": "Will message payload", + "will_message_qos": "Will message QoS", + "will_message_retain": "Will message retain", + "will_message_topic": "Will message topic", + "mqtt_options": "MQTT options", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", + "invalid_url": "Invalid URL", + "data_browse_unfiltered": "Show incompatible media when browsing", + "event_listener_callback_url": "Event listener callback URL", + "data_listen_port": "Event listener port (random if not set)", + "poll_for_device_availability": "Poll for device availability", + "init_title": "DLNA Digital Media Renderer configuration", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", + "first_button": "First button", + "second_button": "Second button", + "third_button": "Third button", + "fourth_button": "Fourth button", + "subtype_button_down": "{subtype} button down", + "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", + "subtype_double_push": "{subtype} double push", + "subtype_long_clicked": "{subtype} long clicked", + "subtype_long_push": "{subtype} long push", + "trigger_type_long_single": "{subtype} long clicked and then single clicked", + "subtype_single_clicked": "{subtype} single clicked", + "trigger_type_single_long": "{subtype} single clicked and then long clicked", + "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", + "subtype_triple_push": "{subtype} triple push", + "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", + "close_entity_name": "Close {entity_name}", + "close_entity_name_tilt": "Close {entity_name} tilt", + "open_entity_name": "Open {entity_name}", + "open_entity_name_tilt": "Open {entity_name} tilt", + "set_entity_name_position": "Set {entity_name} position", + "set_entity_name_tilt_position": "Set {entity_name} tilt position", + "stop_entity_name": "Stop {entity_name}", + "entity_name_is_closed": "{entity_name} is closed", + "entity_name_is_closing": "{entity_name} is closing", + "entity_name_is_open": "{entity_name} is open", + "entity_name_is_opening": "{entity_name} is opening", + "current_entity_name_position_is": "Current {entity_name} position is", + "condition_type_is_tilt_position": "Current {entity_name} tilt position is", + "entity_name_closed": "{entity_name} closed", + "entity_name_closing": "{entity_name} closing", + "entity_name_opened": "{entity_name} opened", + "entity_name_opening": "{entity_name} opening", + "entity_name_position_changes": "{entity_name} position changes", + "entity_name_tilt_position_changes": "{entity_name} tilt position changes", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", + "arm_entity_name_away": "Arm {entity_name} away", + "arm_entity_name_home": "Arm {entity_name} home", + "arm_entity_name_night": "Arm {entity_name} night", + "arm_entity_name_vacation": "Arm {entity_name} vacation", + "disarm_entity_name": "Disarm {entity_name}", + "trigger_entity_name": "Trigger {entity_name}", + "entity_name_is_armed_away": "{entity_name} is armed away", + "entity_name_is_armed_home": "{entity_name} is armed home", + "entity_name_is_armed_night": "{entity_name} is armed night", + "entity_name_is_armed_vacation": "{entity_name} is armed vacation", + "entity_name_is_disarmed": "{entity_name} is disarmed", + "entity_name_is_triggered": "{entity_name} is triggered", + "entity_name_armed_away": "{entity_name} armed away", + "entity_name_armed_home": "{entity_name} armed home", + "entity_name_armed_night": "{entity_name} armed night", + "entity_name_armed_vacation": "{entity_name} armed vacation", + "entity_name_disarmed": "{entity_name} disarmed", + "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", + "current_entity_name_apparent_power": "Current {entity_name} apparent power", + "condition_type_is_aqi": "Current {entity_name} air quality index", + "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", + "current_entity_name_battery_level": "Current {entity_name} battery level", + "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", + "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", + "current_entity_name_current": "Current {entity_name} current", + "current_entity_name_data_rate": "Current {entity_name} data rate", + "current_entity_name_data_size": "Current {entity_name} data size", + "current_entity_name_distance": "Current {entity_name} distance", + "current_entity_name_duration": "Current {entity_name} duration", + "current_entity_name_energy": "Current {entity_name} energy", + "current_entity_name_frequency": "Current {entity_name} frequency", + "current_entity_name_gas": "Current {entity_name} gas", + "current_entity_name_humidity": "Current {entity_name} humidity", + "current_entity_name_illuminance": "Current {entity_name} illuminance", + "current_entity_name_irradiance": "Current {entity_name} irradiance", + "current_entity_name_moisture": "Current {entity_name} moisture", + "current_entity_name_money": "Current {entity_name} money", + "condition_type_is_nitrogen_dioxide": "Current {entity_name} nitrogen dioxide concentration level", + "condition_type_is_nitrogen_monoxide": "Current {entity_name} nitrogen monoxide concentration level", + "condition_type_is_nitrous_oxide": "Current {entity_name} nitrous oxide concentration level", + "condition_type_is_ozone": "Current {entity_name} ozone concentration level", + "current_entity_name_ph_level": "Current {entity_name} pH level", + "condition_type_is_pm": "Current {entity_name} PM2.5 concentration level", + "current_entity_name_power": "Current {entity_name} power", + "current_entity_name_power_factor": "Current {entity_name} power factor", + "current_entity_name_precipitation": "Current {entity_name} precipitation", + "current_entity_name_precipitation_intensity": "Current {entity_name} precipitation intensity", + "current_entity_name_pressure": "Current {entity_name} pressure", + "current_entity_name_reactive_power": "Current {entity_name} reactive power", + "current_entity_name_signal_strength": "Current {entity_name} signal strength", + "current_entity_name_sound_pressure": "Current {entity_name} sound pressure", + "current_entity_name_speed": "Current {entity_name} speed", + "condition_type_is_sulphur_dioxide": "Current {entity_name} sulphur dioxide concentration level", + "current_entity_name_temperature": "Current {entity_name} temperature", + "current_entity_name_value": "Current {entity_name} value", + "condition_type_is_volatile_organic_compounds": "Current {entity_name} volatile organic compounds concentration level", + "current_entity_name_voltage": "Current {entity_name} voltage", + "current_entity_name_volume": "Current {entity_name} volume", + "condition_type_is_volume_flow_rate": "Current {entity_name} volume flow rate", + "current_entity_name_water": "Current {entity_name} water", + "current_entity_name_weight": "Current {entity_name} weight", + "current_entity_name_wind_speed": "Current {entity_name} wind speed", + "entity_name_apparent_power_changes": "{entity_name} apparent power changes", + "trigger_type_aqi": "{entity_name} air quality index changes", + "entity_name_atmospheric_pressure_changes": "{entity_name} atmospheric pressure changes", + "entity_name_battery_level_changes": "{entity_name} battery level changes", + "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", + "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", + "entity_name_current_changes": "{entity_name} current changes", + "entity_name_data_rate_changes": "{entity_name} data rate changes", + "entity_name_data_size_changes": "{entity_name} data size changes", + "entity_name_distance_changes": "{entity_name} distance changes", + "entity_name_duration_changes": "{entity_name} duration changes", + "entity_name_energy_changes": "{entity_name} energy changes", + "entity_name_frequency_changes": "{entity_name} frequency changes", + "entity_name_gas_changes": "{entity_name} gas changes", + "entity_name_humidity_changes": "{entity_name} humidity changes", + "entity_name_illuminance_changes": "{entity_name} illuminance changes", + "entity_name_irradiance_changes": "{entity_name} irradiance changes", + "entity_name_moisture_changes": "{entity_name} moisture changes", + "entity_name_money_changes": "{entity_name} money changes", + "trigger_type_nitrogen_dioxide": "{entity_name} nitrogen dioxide concentration changes", + "trigger_type_nitrogen_monoxide": "{entity_name} nitrogen monoxide concentration changes", + "trigger_type_nitrous_oxide": "{entity_name} nitrous oxide concentration changes", + "entity_name_ozone_concentration_changes": "{entity_name} ozone concentration changes", + "entity_name_ph_level_changes": "{entity_name} pH level changes", + "entity_name_pm_concentration_changes": "{entity_name} PM2.5 concentration changes", + "entity_name_power_changes": "{entity_name} power changes", + "entity_name_power_factor_changes": "{entity_name} power factor changes", + "entity_name_precipitation_changes": "{entity_name} precipitation changes", + "entity_name_precipitation_intensity_changes": "{entity_name} precipitation intensity changes", + "entity_name_pressure_changes": "{entity_name} pressure changes", + "entity_name_reactive_power_changes": "{entity_name} reactive power changes", + "entity_name_signal_strength_changes": "{entity_name} signal strength changes", + "entity_name_sound_pressure_changes": "{entity_name} sound pressure changes", + "entity_name_speed_changes": "{entity_name} speed changes", + "trigger_type_sulphur_dioxide": "{entity_name} sulphur dioxide concentration changes", + "entity_name_temperature_changes": "{entity_name} temperature changes", + "entity_name_value_changes": "{entity_name} value changes", + "trigger_type_volatile_organic_compounds": "{entity_name} volatile organic compounds concentration changes", + "entity_name_voltage_changes": "{entity_name} voltage changes", + "entity_name_volume_changes": "{entity_name} volume changes", + "trigger_type_volume_flow_rate": "{entity_name} volume flow rate changes", + "entity_name_water_changes": "{entity_name} water changes", + "entity_name_weight_changes": "{entity_name} weight changes", + "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", + "press_entity_name_button": "Press {entity_name} button", + "entity_name_has_been_pressed": "{entity_name} has been pressed", + "entity_name_update_availability_changed": "{entity_name} update availability changed", + "add_to_queue": "Add to queue", + "play_next": "Play next", + "options_replace": "Play now and clear queue", + "repeat_all": "Repeat all", + "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", + "alice_blue": "Alice blue", + "antique_white": "Antique white", + "aqua": "Aqua", + "aquamarine": "Aquamarine", + "azure": "Azure", + "beige": "Beige", + "bisque": "Bisque", + "blanched_almond": "Blanched almond", + "blue_violet": "Blue violet", + "burlywood": "Burlywood", + "cadet_blue": "Cadet blue", + "chartreuse": "Chartreuse", + "chocolate": "Chocolate", + "coral": "Coral", + "cornflower_blue": "Cornflower blue", + "cornsilk": "Cornsilk", + "crimson": "Crimson", + "dark_blue": "Dark blue", + "dark_cyan": "Dark cyan", + "dark_goldenrod": "Dark goldenrod", + "dark_gray": "Dark gray", + "dark_green": "Dark green", + "dark_khaki": "Dark khaki", + "dark_magenta": "Dark magenta", + "dark_olive_green": "Dark olive green", + "dark_orange": "Dark orange", + "dark_orchid": "Dark orchid", + "dark_red": "Dark red", + "dark_salmon": "Dark salmon", + "dark_sea_green": "Dark sea green", + "dark_slate_blue": "Dark slate blue", + "dark_slate_gray": "Dark slate gray", + "dark_slate_grey": "Dark slate grey", + "dark_turquoise": "Dark turquoise", + "dark_violet": "Dark violet", + "deep_pink": "Deep pink", + "deep_sky_blue": "Deep sky blue", + "dim_gray": "Dim gray", + "dim_grey": "Dim grey", + "dodger_blue": "Dodger blue", + "fire_brick": "Fire brick", + "floral_white": "Floral white", + "forest_green": "Forest green", + "fuchsia": "Fuchsia", + "gainsboro": "Gainsboro", + "ghost_white": "Ghost white", + "gold": "Gold", + "goldenrod": "Goldenrod", + "gray": "Gray", + "green_yellow": "Green yellow", + "home_assistant": "Home Assistant", + "honeydew": "Honeydew", + "hot_pink": "Hot pink", + "indian_red": "Indian red", + "ivory": "Ivory", + "khaki": "Khaki", + "lavender": "Lavender", + "lavender_blush": "Lavender blush", + "lawn_green": "Lawn green", + "lemon_chiffon": "Lemon chiffon", + "light_coral": "Light coral", + "light_cyan": "Light cyan", + "light_goldenrod_yellow": "Light goldenrod yellow", + "light_gray": "Light gray", + "light_pink": "Light pink", + "light_salmon": "Light salmon", + "light_sea_green": "Light sea green", + "light_sky_blue": "Light sky blue", + "light_slate_gray": "Light slate gray", + "light_slate_grey": "Light slate grey", + "light_steel_blue": "Light steel blue", + "light_yellow": "Light yellow", + "lime_green": "Lime green", + "linen": "Linen", + "magenta": "Magenta", + "maroon": "Maroon", + "medium_aquamarine": "Medium aquamarine", + "medium_blue": "Medium blue", + "medium_orchid": "Medium orchid", + "medium_purple": "Medium purple", + "medium_sea_green": "Medium sea green", + "medium_slate_blue": "Medium slate blue", + "medium_spring_green": "Medium spring green", + "medium_turquoise": "Medium turquoise", + "medium_violet_red": "Medium violet red", + "midnight_blue": "Midnight blue", + "mint_cream": "Mint cream", + "misty_rose": "Misty rose", + "moccasin": "Moccasin", + "navajo_white": "Navajo white", + "navy": "Navy", + "navy_blue": "Navy blue", + "old_lace": "Old lace", + "olive": "Olive", + "olive_drab": "Olive drab", + "orange_red": "Orange red", + "orchid": "Orchid", + "pale_goldenrod": "Pale goldenrod", + "pale_green": "Pale green", + "pale_turquoise": "Pale turquoise", + "pale_violet_red": "Pale violet red", + "papaya_whip": "Papaya whip", + "peach_puff": "Peach puff", + "peru": "Peru", + "plum": "Plum", + "powder_blue": "Powder blue", + "rosy_brown": "Rosy brown", + "royal_blue": "Royal blue", + "saddle_brown": "Saddle brown", + "salmon": "Salmon", + "sandy_brown": "Sandy brown", + "sea_green": "Sea green", + "seashell": "Seashell", + "sienna": "Sienna", + "silver": "Silver", + "sky_blue": "Sky blue", + "slate_blue": "Slate blue", + "slate_gray": "Slate gray", + "slate_grey": "Slate grey", + "snow": "Snow", + "spring_green": "Spring green", + "steel_blue": "Steel blue", + "tan": "Tan", + "thistle": "Thistle", + "tomato": "Tomato", + "turquoise": "Turquoise", + "violet": "Violet", + "wheat": "Wheat", + "white_smoke": "White smoke", + "yellow_green": "Yellow green", + "fatal": "Fatal", + "no_device_class": "No device class", + "no_state_class": "No state class", + "no_unit_of_measurement": "No unit of measurement", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", + "restarts_an_add_on": "Restarts an add-on.", + "the_add_on_slug": "The add-on slug.", + "restart_add_on": "Restart add-on.", + "starts_an_add_on": "Starts an add-on.", + "start_add_on": "Start add-on", + "addon_stdin_description": "Writes data to add-on stdin.", + "addon_stdin_name": "Write data to add-on stdin.", + "stops_an_add_on": "Stops an add-on.", + "stop_add_on": "Stop add-on.", + "update_add_on": "Update add-on.", + "creates_a_full_backup": "Creates a full backup.", + "compresses_the_backup_files": "Compresses the backup files.", + "compressed": "Compressed", + "home_assistant_exclude_database": "Home Assistant exclude database", + "name_description": "Optional (default = current date and time).", + "create_a_full_backup": "Create a full backup.", + "creates_a_partial_backup": "Creates a partial backup.", + "add_ons": "Add-ons", + "folders": "Folders", + "homeassistant_description": "Includes Home Assistant settings in the backup.", + "home_assistant_settings": "Home Assistant settings", + "create_a_partial_backup": "Create a partial backup.", + "reboots_the_host_system": "Reboots the host system.", + "reboot_the_host_system": "Reboot the host system.", + "host_shutdown_description": "Powers off the host system.", + "host_shutdown_name": "Power off the host system.", + "restores_from_full_backup": "Restores from full backup.", + "optional_password": "Optional password.", + "slug_description": "Slug of backup to restore from.", + "slug": "Slug", + "restore_from_full_backup": "Restore from full backup.", + "restore_partial_description": "Restores from a partial backup.", + "restores_home_assistant": "Restores Home Assistant.", + "restore_from_partial_backup": "Restore from partial backup.", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", + "apply_description": "Activates a scene with configuration.", + "entities_description": "List of entities and their target state.", + "entities_state": "Entities state", + "transition": "Transition", + "apply": "Apply", + "creates_a_new_scene": "Creates a new scene.", + "scene_id_description": "The entity ID of the new scene.", + "scene_entity_id": "Scene entity ID", + "snapshot_entities": "Snapshot entities", + "delete_description": "Deletes a dynamically created scene.", + "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", + "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", + "aux_heat_description": "New value of auxiliary heater.", + "auxiliary_heating": "Auxiliary heating", + "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater", + "sets_fan_operation_mode": "Sets fan operation mode.", + "fan_operation_mode": "Fan operation mode.", + "set_fan_mode": "Set fan mode", + "sets_target_humidity": "Sets target humidity.", + "set_target_humidity": "Set target humidity", + "sets_hvac_operation_mode": "Sets HVAC operation mode.", + "hvac_operation_mode": "HVAC operation mode.", + "set_hvac_mode": "Set HVAC mode", + "sets_swing_operation_mode": "Sets swing operation mode.", + "swing_operation_mode": "Swing operation mode.", + "set_swing_mode": "Set swing mode", + "sets_target_temperature": "Sets target temperature.", + "high_target_temperature": "High target temperature.", + "target_temperature_high": "Target temperature high", + "low_target_temperature": "Low target temperature.", + "target_temperature_low": "Target temperature low", + "set_target_temperature": "Set target temperature", + "turns_climate_device_off": "Turns climate device off.", + "turns_climate_device_on": "Turns climate device on.", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Turn off one or more lights.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", + "selects_the_next_option": "Selects the next option.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", + "reload_themes_description": "Reloads themes from the YAML-configuration.", + "reload_themes": "Reload themes", + "name_of_a_theme": "Name of a theme.", + "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", + "decrements_a_counter": "Decrements a counter.", + "increments_a_counter": "Increments a counter.", + "resets_a_counter": "Resets a counter.", + "sets_the_counter_value": "Sets the counter value.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", + "get_weather_forecast": "Get weather forecast.", + "type_description": "Forecast type: daily, hourly or twice daily.", + "forecast_type": "Forecast type", + "get_forecast": "Get forecast", + "get_weather_forecasts": "Get weather forecasts.", + "get_forecasts": "Get forecasts", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", + "bridge_identifier": "Bridge identifier", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Path", + "configure": "Configure", + "device_refresh_description": "Refreshes available devices from deCONZ.", + "device_refresh": "Device refresh", + "remove_orphaned_entries": "Remove orphaned entries", + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" +} \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ml/ml.json b/packages/core/src/hooks/useLocale/locales/ml/ml.json index ded8eff..ec5fc08 100644 --- a/packages/core/src/hooks/useLocale/locales/ml/ml.json +++ b/packages/core/src/hooks/useLocale/locales/ml/ml.json @@ -1,7 +1,7 @@ { "energy": "Energy", "calendar": "Calendar", - "settings": "ക്രമീകരണങ്ങൾ", + "settings": "Settings", "overview": "മേൽക്കാഴ്ച്ച", "map": "Map", "logbook": "Logbook", @@ -107,7 +107,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "മീഡിയ ബ്രൗസ് ചെയ്യുക", @@ -133,7 +133,7 @@ "active_running": "{active} Running…", "cancel": "Cancel", "cancel_number": "{number} റദ്ദാക്കുക", - "cancel_all": "Cancel all", + "cancel_all": "എല്ലാം റദ്ദാക്കുക", "idle": "Idle", "run_script": "Run script", "option": "Option", @@ -186,6 +186,7 @@ "loading": "ലോഡ് ചെയ്യുന്നു...", "refresh": "പുതുക്കുക", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "കാർഡ് പകർത്തുക", "remove": "Remove", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "അപ്ലോഡ് തോൽവിയടഞ്ഞു", "unknown_file": "അറിയാത്ത ഫയൽ", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -241,6 +245,7 @@ "date_and_time": "തീയതിയും സമയവും", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -279,6 +284,7 @@ "was_opened": "തുറന്നു", "was_closed": "അടഞ്ഞു", "is_opening": "തുറക്കുകയാണ്", + "is_opened": "is opened", "is_closing": "അടയ്ക്കുകയാണ്", "was_unlocked": "അൺലോക്ക് ആയിരുന്നു", "was_locked": "പൂട്ടിയിരുന്നു", @@ -328,10 +334,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "പട്ടിക ഇഷ്ടാനുസൃതമാക്കുക", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -341,7 +350,7 @@ "no_theme": "തീം ഇല്ല", "language": "Language", "no_languages_available": "ഭാഷകളൊന്നും കിട്ടുന്നില്ല.", - "text_to_speech": "എഴുത്തിൽനിന്ന്-നിന്ന്-ഉരിയാടലിലേക്ക്", + "text_to_speech": "Text to speech", "voice": "ഒച്ച", "no_user": "ഉപയോക്താവില്ല", "add_user": "ഉപയോക്താവിനെ ചേർക്കുക", @@ -381,7 +390,6 @@ "ui_components_area_picker_add_dialog_text": "പുതിയ ഇടത്തിന്റെ പേര് നൽകുക.", "ui_components_area_picker_add_dialog_title": "പുതിയ ഇടം ചേർക്കുക", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -459,6 +467,9 @@ "last_month": "കഴിഞ്ഞ മാസം", "this_year": "ഈ ആണ്ട്", "last_year": "കഴിഞ്ഞ വർഷം", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "ഒരിക്കലുമില്ല", "history_integration_disabled": "ചരിത്ര ഇന്റഗ്രേഷൻ പ്രവർത്തനരഹിതമാക്കി", "loading_state_history": "നിലയുടെ ചരിത്രം ലോഡ് ചെയ്യുന്നു...", @@ -490,6 +501,10 @@ "filtering_by": "ഇതനുസരിച്ച് അരിച്ചെടുക്കുന്നു", "number_hidden": "{number} മറച്ചു", "ungrouped": "Ungrouped", + "customize": "ഇഷ്ടാനുസൃതമാക്കുക", + "hide_column_title": "നിര {title} മറയ്ക്കുക", + "show_column_title": "നിര {title} കാണിക്കുക", + "restore_defaults": "ഡിഫോൾട്ടുകൾ വീണ്ടെടുക്കുക", "message": "Message", "gender": "ലിംഗഭേദം", "male": "ആണ്", @@ -705,7 +720,7 @@ "read_release_announcement": "പുറത്തുവിടൽ അറിയിപ്പ് വായിക്കുക", "clear_skipped": "ഒഴിവാക്കിയത് മായ്ച്ചുകളയുക", "install": "ഇൻസ്റ്റാൾ ചെയ്യുക", - "create_backup_before_updating": "പുതുക്കുന്നതിനു മുമ്പ് ബാക്കപ്പ് ഉണ്ടാക്കുക", + "create_backup_before_updating": "പുതുക്കുന്നതിനു മുമ്പ് മറുപകർപ്പ് ഉണ്ടാക്കുക", "update_instructions": "നിർദ്ദേശങ്ങൾ അപ്ഡേറ്റ് ചെയ്യുക", "current_activity": "നിലവിലെ പ്രവർത്തനം", "status": "നില", @@ -742,7 +757,7 @@ "default_code": "Default code", "editor_default_code_error": "കോഡ് കോഡ് ഫോർമാറ്റുമായി പൊരുത്തപ്പെടുന്നില്ല", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "കൃത്യത", "default_value": "ഡിഫോൾട്ട് ({value})", @@ -825,7 +840,7 @@ "restart_home_assistant": "പുനരാരംഭിക്കുക?", "advanced_options": "Advanced options", "quick_reload": "വേഗത്തിൽ വീണ്ടും ലോഡുചെയ്യുക", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "കോൺഫിഗറേഷൻ റീലോഡ് ചെയ്യുന്നു", "failed_to_reload_configuration": "കോൺഫിഗറേഷൻ വീണ്ടും കയറ്റുന്നതിൽ തോറ്റു", "restart_description": "പ്രവർത്തിക്കുന്ന എല്ലാ ഓട്ടോമേഷനുകളും സ്ക്രിപ്റ്റുകളും തടസ്സപ്പെടുത്തുന്നു.", @@ -1004,7 +1019,6 @@ "notification_toast_no_matching_link_found": "{path} എന്നതിനായി പൊരുത്തപ്പെടുന്ന മൈ ലിങ്ക് ഒന്നും കണ്ടെത്തിയില്ല", "app_configuration": "ആപ്പ് കോൺഫിഗറേഷൻ", "sidebar_toggle": "സൈഡ്‌ബാർ ടോഗിൾ ചെയ്യുക", - "done": "Done", "hide_panel": "പാനൽ മറയ്ക്കുക", "show_panel": "പാനൽ കാണിക്കുക", "show_more_information": "കൂടുതൽ വിവരങ്ങൾ കാണിക്കുക", @@ -1102,9 +1116,11 @@ "view_configuration": "കോൺഫിഗറേഷൻ കാണുക", "name_view_configuration": "{name} കോൺഫിഗറേഷൻ കാണുക", "add_view": "വ്യൂ ചേർക്കുക", + "background_title": "Add a background to the view", "edit_view": "കാഴ്ച്ച തിരുത്തുക", "move_view_left": "കാഴ്ച ഇടത്തേക്ക് നീക്കുക", "move_view_right": "കാഴ്ച വലത്തേക്ക് നീക്കുക", + "background": "Background", "badges": "ബാഡ്ജുകൾ", "view_type": "കാഴ്ച്ച തരം", "masonry_default": "മേസൺറി (ഡിഫോൾട്ട്)", @@ -1113,8 +1129,8 @@ "sections_experimental": "Sections (experimental)", "subview": "കീഴ്നിലക്കാഴ്ച്ച", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "ദൃശ്യവത്കൃത തിരുത്തൽ-ഉപാധിയിൽ തിരുത്തുക", - "edit_in_yaml": "YAML-ൽ തിരുത്തുക", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "കാക്കുന്നതിൽ തോറ്റു", "card_configuration": "കാർഡ് കോൺഫിഗറേഷൻ", "type_card_configuration": "{type} കാർഡ് കോൺഫിഗറേഷൻ", @@ -1135,6 +1151,8 @@ "increase_card_position": "Increase card position", "more_options": "കൂടുതൽ ഓപ്ഷനുകൾ", "search_cards": "കാർഡുകൾ തിരയുക", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "നിങ്ങളുടെ {name} കാഴ്‌ചയിലേക്ക് ഏത് കാർഡ് ചേർക്കാനാണ് നിങ്ങൾ ആഗ്രഹിക്കുന്നത്?", "move_card_error_title": "Impossible to move the card", "choose_a_view": "ഒരു കാഴ്ച തിരഞ്ഞെടുക്കുക", @@ -1148,8 +1166,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "ഞങ്ങൾ നിങ്ങൾക്കായി ഒരു നിർദ്ദേശം ഉണ്ടാക്കിയിട്ടുണ്ട്", "pick_different_card": "ഇതര കാർഡ് തിരഞ്ഞെടുക്കുക", "add_to_dashboard": "ഡാഷ്‌ബോർഡിലേക്ക് ചേർക്കുക", @@ -1384,178 +1401,122 @@ "warning_entity_unavailable": "എന്റിറ്റി നിലവിൽ ലഭ്യമല്ല: {entity}", "invalid_timestamp": "അസാധുവായ ടൈംസ്റ്റാമ്പ്", "invalid_display_format": "അസാധുവായ ഡിസ്പ്ലേ ഫോർമാറ്റ്", + "now": "Now", "compare_data": "ഡാറ്റ താരതമ്യം ചെയ്യുക", "reload_ui": "UI റീലോഡ് ചെയ്യുക", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tags", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tags", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1576,14 +1537,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", "restart_device": "Restart device", "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1599,34 +1595,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1636,6 +1684,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1693,23 +1744,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1723,6 +1777,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1731,6 +1786,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1738,80 +1794,88 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", - "buffering": "Buffering", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", + "buffering": "Buffering", "paused": "Paused", "playing": "Playing", "standby": "Standby", @@ -1832,77 +1896,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1914,15 +1912,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1945,62 +2001,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -2016,39 +2091,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2072,8 +2148,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2081,10 +2158,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2097,82 +2198,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2255,6 +2324,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2268,106 +2354,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2375,8 +2392,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2396,7 +2415,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2415,12 +2544,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2465,6 +2608,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2503,137 +2647,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2764,16 +2841,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2808,122 +2980,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2931,6 +3045,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2942,10 +3172,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2957,75 +3184,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3033,187 +3210,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3222,23 +3286,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/nb/nb.json b/packages/core/src/hooks/useLocale/locales/nb/nb.json index bd38703..85d3dff 100644 --- a/packages/core/src/hooks/useLocale/locales/nb/nb.json +++ b/packages/core/src/hooks/useLocale/locales/nb/nb.json @@ -1,7 +1,7 @@ { "energy": "Energi", "calendar": "Kalender", - "settings": "Innstillinger", + "settings": "Settings", "overview": "Oversikt", "map": "Map", "logbook": "Loggbok", @@ -10,7 +10,7 @@ "to_do_lists": "Gjøremålslister", "developer_tools": "Utviklerverktøy", "media": "Media", - "profile": "Profil", + "profile": "Profile", "panel_shopping_list": "Handleliste", "unk": "Ukjent", "unavailable": "Utilgjengelig", @@ -68,8 +68,8 @@ "action_to_target": "{action} til målet", "target": "Target", "humidity_target": "Mål for luftfuktighet", - "increment": "Increment", - "decrement": "Decrement", + "increment": "Øke", + "decrement": "Redusere", "reset": "Nullstill", "position": "Position", "tilt_position": "Tilt position", @@ -106,7 +106,8 @@ "open": "Åpen", "open_door": "Open door", "really_open": "Virkelig åpen?", - "door_open": "Dør åpen", + "done": "Done", + "ui_card_lock_open_door_success": "Dør åpen", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Bla gjennom media", @@ -135,7 +136,7 @@ "cancel_all": "Avbryt alle", "idle": "Inaktiv", "run_script": "Kjør skript", - "option": "Alternativ", + "option": "Option", "installing": "Installerer", "installing_progress": "Installerer ({progress}%)", "up_to_date": "Oppdatert", @@ -181,10 +182,11 @@ "twice_daily": "To ganger daglig", "and": "Og", "continue": "Fortsette", - "previous": "Forrige", + "previous": "Previous", "loading": "Laster inn…", "refresh": "Oppdater", "delete": "Slett", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplisere", "remove": "Fjern", @@ -194,7 +196,7 @@ "close": "Lukk", "leave": "Forlate", "stay": "Bli", - "next": "Neste", + "next": "Next", "back": "Tilbake", "undo": "Angre", "move": "Flytt", @@ -227,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Opplasting mislyktes", "unknown_file": "Ukjent fil", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Breddegrad", "longitude": "Lengdegrad", "side": "", @@ -240,12 +245,13 @@ "date_and_time": "Dato og tid", "duration": "Duration", "entity": "Entity", + "floor": "Etasje", "icon": "Icon", "location": "Plassering", "number": "Nummer", "object": "Objekt", "rgb_color": "RGB Farge", - "pick": "Velg", + "select": "Select", "template": "Template", "text": "Text", "theme": "Tema", @@ -270,7 +276,7 @@ "was_detected_away": "ble oppdaget borte", "was_detected_at_state": "ble oppdaget på {state}", "rose": "soloppgang", - "set": "Sett", + "set": "Set", "was_low": "var lav", "was_normal": "var normal", "was_connected": "var tilkoblet", @@ -278,6 +284,7 @@ "was_opened": "ble åpnet", "was_closed": "ble lukket", "is_opening": "åpner", + "is_opened": "is opened", "is_closing": "stenger", "was_unlocked": "ble låst opp", "was_locked": "ble låst", @@ -326,10 +333,13 @@ "sort_by_sortcolumn": "Sorter etter {sortColumn}", "group_by_groupcolumn": "Grupper etter {groupColumn}", "don_t_group": "Ikke gruppere", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Valgt {selected}", "close_selection_mode": "Lukk velgemodus", "select_all": "Velg alle", "select_none": "Velg ingen", + "customize_table": "Customize table", "conversation_agent": "Samtaleagent", "none": "Ingen", "country": "Land", @@ -339,7 +349,7 @@ "no_theme": "Ingen tema", "language": "Språk", "no_languages_available": "Ingen språk tilgjengelig", - "text_to_speech": "Tekst-til-tale", + "text_to_speech": "Text to speech", "voice": "Stemme", "no_user": "Ingen bruker", "add_user": "Legg til bruker", @@ -378,7 +388,6 @@ "ui_components_area_picker_add_dialog_text": "Fyll inn navnet på det nye området.", "ui_components_area_picker_add_dialog_title": "Legg til nytt område", "show_floors": "Vis etasjer", - "floor": "Etasje", "add_new_floor_name": "Legg til ny etasje ''{name}''", "add_new_floor": "Legg til ny etasje…", "floor_picker_no_floors": "Du har ingen etasjer", @@ -444,7 +453,7 @@ "dark_grey": "Dark grey", "blue_grey": "Blågrå", "black": "Sort", - "white": "Hvit", + "white": "White", "start_date": "Start date", "end_date": "End date", "select_time_period": "Velg tidsperiode", @@ -457,6 +466,9 @@ "last_month": "Forrige måned", "this_year": "Dette året", "last_year": "I fjor", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Aldri", "history_integration_disabled": "Historieintegrasjon deaktivert", "loading_state_history": "Laster statushistorikk…", @@ -488,13 +500,18 @@ "filtering_by": "Filtrering etter", "number_hidden": "{number} skjult", "ungrouped": "Ungrouped", - "message": "Message", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", + "message": "Melding", "gender": "Kjønn", "male": "Mannlig", "female": "Kvinnelig", "say": "Si", "set_as_default_options": "Angi som standardalternativer", "tts_faild_to_store_defaults": "Kunne ikke lagre standardinnstillinger: {error}", + "pick": "Velg", "play_media": "Play media", "no_items": "Ingen elementer", "choose_player": "Velg spiller", @@ -523,7 +540,7 @@ "episode": "Episode", "game": "Spill", "genre": "Sjanger", - "image": "Bilde", + "image": "Image", "movie": "Film", "music": "Musikk", "playlist": "Spilleliste", @@ -594,7 +611,7 @@ "in": "In", "at": "på", "or": "Eller", - "last": "Siste", + "last": "Last", "times": "ganger", "summary": "Summary", "attributes": "Attributter", @@ -682,7 +699,7 @@ "are_you_sure": "Er du sikker?", "crop": "Beskjære", "picture_to_crop": "Bilde som skal beskjæres", - "dismiss_dialog": "Avvis dialog", + "dismiss_dialog": "Lukk dialogboks", "edit_entity": "Redigér entitet", "details": "Detaljer", "back_to_info": "Tilbake til info", @@ -716,7 +733,7 @@ "switch_to_position_mode": "Bytt til posisjonsmodus", "people_in_zone": "Personer i sone", "edit_favorite_colors": "Rediger favorittfarger", - "color": "Farge", + "color": "Color", "set_white": "Sett hvit", "select_effect": "Velg effekt", "change_color": "Endre farge", @@ -821,7 +838,7 @@ "restart_home_assistant": "Vil du starte Home Assistant på nytt?", "advanced_options": "Advanced options", "quick_reload": "Rask omlasting", - "reload_description": "Laster hjelpere på nytt fra YAML-konfigurasjonen.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Laster inn konfigurasjonen på nytt", "failed_to_reload_configuration": "Kunne ikke laste inn konfigurasjonen på nytt", "restart_description": "Avbryter alle kjørende automasjoner og skript.", @@ -854,7 +871,7 @@ "input_field": "Inndatafelt", "slider": "Glidebryter", "step_size": "Trinnstørrelse", - "options": "Alternativer", + "options": "Options", "add_option": "Legg til alternativ", "remove_option": "Fjern alternativ", "input_select_no_options": "Det er ingen alternativer ennå.", @@ -996,7 +1013,6 @@ "notification_toast_no_matching_link_found": "Ingen samsvarende My link funnet for {path}", "app_configuration": "Appkonfigurasjon", "sidebar_toggle": "Vis/Skjul sidepanel", - "done": "Done", "hide_panel": "Skjul panel", "show_panel": "Vis panel", "show_more_information": "Vis mer informasjon", @@ -1094,9 +1110,11 @@ "view_configuration": "Vis konfigurasjon", "name_view_configuration": "{name} Vis konfigurasjon", "add_view": "Legg til visning", + "background_title": "Add a background to the view", "edit_view": "Rediger visning", "move_view_left": "Flytt visningen til venstre", "move_view_right": "Flytt visningen til høyre", + "background": "Background", "badges": "Merker", "view_type": "Vis type", "masonry_default": "Murverk (standard)", @@ -1105,8 +1123,8 @@ "sections_experimental": "Sections (experimental)", "subview": "Undervisning", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Rediger i visuell editor", - "edit_in_yaml": "Rediger i YAML", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Lagring mislyktes", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Du kan ikke endre visningen din til en annen type fordi migrering ikke støttes ennå. Start fra bunnen av med en ny visning hvis du vil bruke en annen visningstype.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Du kan ikke endre visningen din til å bruke visningstypen 'seksjoner' fordi migrering ennå ikke er støttet. Start fra bunnen av med en ny visning hvis du vil eksperimentere med seksjoner.", @@ -1129,6 +1147,8 @@ "increase_card_position": "Øk kortposisjonen", "more_options": "Flere alternativer", "search_cards": "Søk på kort", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Hvilket kort vil du legge til i {name} visningen?", "move_card_error_title": "Umulig å flytte kortet", "choose_a_view": "Velg en visning", @@ -1142,8 +1162,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "\"{name}\"-seksjonen vil bli slettet.", "delete_section_text_unnamed_section_only": "Denne seksjonen vil bli slettet.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "Vi har laget et forslag til deg", "pick_different_card": "Velg et annet kort", "add_to_dashboard": "Legg til i dashbord", @@ -1164,8 +1183,8 @@ "condition_did_not_pass": "Betingelsen passerte ikke", "invalid_configuration": "Ugyldig konfigurasjon", "entity_numeric_state": "Entitets numerisk tilstand", - "above": "Over", - "below": "Under", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Skjermstørrelser", "mobile": "Mobil", @@ -1179,8 +1198,8 @@ "current": "Strøm", "alarm_panel": "Alarmpanel", "available_states": "Tilgjengelige tilstander", - "alert_classes": "Alert Classes", - "sensor_classes": "Sensor Classes", + "alert_classes": "Varslingsklasser", + "sensor_classes": "Sensorklasser", "area_show_camera": "Vis kamerafeed i stedet for områdebilde", "initial_view": "Innledende visning", "calendar_entities": "Kalender-entiteter", @@ -1209,9 +1228,9 @@ "render_cards_as_squares": "Gjengi kort som firkanter", "history_graph": "Historikkgraf", "logarithmic_scale": "Logaritmisk skala", - "y_axis_minimum": "Y axis minimum", - "y_axis_maximum": "Y axis maximum", - "history_graph_fit_y_data": "Extend Y axis limits to fit data", + "y_axis_minimum": "Y-aksens minimum", + "y_axis_maximum": "Y-aksens maksimum", + "history_graph_fit_y_data": "Utvid Y-aksens grenser for å passe til dataene", "statistics_graph": "Statistikkgraf", "period": "Periode", "unit": "Betegnelse", @@ -1261,6 +1280,7 @@ "markdown": "Markdown", "content": "Innhold", "media_control": "Mediekontroll", + "picture": "Bilde", "picture_elements": "Bildeelementer", "picture_entity": "Bilde entitet", "picture_glance": "Bilde blikk", @@ -1362,6 +1382,7 @@ "ui_panel_lovelace_editor_color_picker_colors_pink": "Rosa", "ui_panel_lovelace_editor_color_picker_colors_primary": "Primær", "ui_panel_lovelace_editor_color_picker_colors_red": "Rød", + "ui_panel_lovelace_editor_color_picker_colors_white": "Hvit", "ui_panel_lovelace_editor_color_picker_colors_yellow": "Gul", "warning_attribute_not_found": "Attributtet {attribute} er ikke tilgjengelig i: {entity}", "entity_not_available_entity": "Entitet ikke tilgjengelig: {entity}", @@ -1369,174 +1390,118 @@ "warning_entity_unavailable": "Entiteten er for øyeblikket ikke tilgjengelig: {entity}", "invalid_timestamp": "Ugyldig tidsstempel", "invalid_display_format": "Ugyldig visningsformat", + "now": "Now", "compare_data": "Sammenlign data", "reload_ui": "Last inn brukergrensesnittet på nytt", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Bryter", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Gruppe", - "timer": "Nedtelling", - "zone": "Sone", - "schedule": "Timeplan", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Gardin/port", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Boolsk inndata", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Samtale", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Gardin/port", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Inndataknapp", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm kontrollpanel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Vifte", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Enhetssporing", + "trace": "Trace", + "stream": "Stream", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Boolsk inndata", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Datotid-inndata", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tag", + "diagnostics": "Diagnostikk", + "siren": "Sirene", + "fitbit": "Fitbit", + "automation": "Automasjon", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Klima", + "conversation": "Samtale", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Filstørrelse", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Søknadslegitimasjon", - "local_calendar": "Local Calendar", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Tekst-inndata", - "rpi_power_title": "Raspberry Pi strømforsyningskontroll", - "weather": "Vær", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Gruppe", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Timeplan", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Fjernkontroll", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi strømforsyningskontroll", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Bryter", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Enhetssporing", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Vær", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Fjernkontroll", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "Binær sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Vifte", + "scene": "Scene", + "input_select": "Valg-inndata", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", - "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", - "mobile_app": "Mobilapp", - "diagnostics": "Diagnostikk", "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tag", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirene", - "input_select": "Valg-inndata", - "assist_pipeline": "Assist-kommandokø", - "automation": "Automasjon", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Inndataknapp", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", + "speech_to_text_stt": "Speech-to-text (STT)", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Klima", + "home_assistant_frontend": "Home Assistant Frontend", "counter": "Teller", - "binary_sensor": "Binær sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Nyeste versjon", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", + "mobile_app": "Mobilapp", + "deconz": "deCONZ", + "timer": "Nedtelling", + "application_credentials": "Søknadslegitimasjon", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes mottatt", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sendt", - "air_quality_index": "Luftkvalitetsindeks", - "illuminance": "Belysningsstyrke", - "noise": "Noise", - "overload": "Overload", - "voltage": "Spenning", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Av", - "preferred": "Foretrukket", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Avsluttet talegjenkjenning", - "aggressive": "Aggressiv", - "default": "Standard", - "relaxed": "Avslappet", - "call_active": "Call Active", - "quiet": "Stille", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Tung", "mild": "Mild", "button_down": "Button down", @@ -1557,37 +1522,16 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugget inn", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", - "screen_off_timer": "Screen off timer", - "screensaver_brightness": "Screensaver brightness", - "screensaver_timer": "Screensaver timer", - "current_page": "Current page", - "foreground_app": "Foreground app", - "internal_storage_free_space": "Internal storage free space", - "internal_storage_total_space": "Internal storage total space", - "free_memory": "Free memory", - "total_memory": "Total memory", - "screen_orientation": "Screen orientation", - "kiosk_lock": "Kiosk lock", - "maintenance_mode": "Maintenance mode", - "motion_detection": "Bevegelsessensor", - "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Nyeste versjon", "next_dawn": "Neste grålysning", "next_dusk": "Neste skumring", "next_midnight": "Neste midnatt", @@ -1597,17 +1541,125 @@ "solar_azimuth": "Sol-asimut", "solar_elevation": "Solhøyde", "solar_rising": "Solar rising", - "calibration": "Kalibrering", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth-signal", - "light_level": "Lysnivå", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Avsluttet talegjenkjenning", + "aggressive": "Aggressiv", + "default": "Standard", + "relaxed": "Avslappet", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugget inn", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", + "screensaver_brightness": "Screensaver brightness", + "screensaver_timer": "Screensaver timer", + "current_page": "Current page", + "foreground_app": "Foreground app", + "internal_storage_free_space": "Internal storage free space", + "internal_storage_total_space": "Internal storage total space", + "free_memory": "Free memory", + "total_memory": "Total memory", + "screen_orientation": "Screen orientation", + "kiosk_lock": "Kiosk lock", + "maintenance_mode": "Maintenance mode", + "motion_detection": "Bevegelsessensor", + "screensaver": "Screensaver", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Oppdatering tilgjengelig", + "dry": "Tørking", + "wet": "Våt", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signalstyrke", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Spenning", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Luftkvalitetsindeks", + "illuminance": "Belysningsstyrke", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes mottatt", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sendt", "animal": "Animal", + "detected": "Oppdaget", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1617,6 +1669,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1674,23 +1729,26 @@ "image_sharpness": "Bildeskarphet", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Av", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital først", "pan_tilt_first": "Panorer/vipp først", "day_night_mode": "Day night mode", "black_white": "Svart & hvitt", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1704,6 +1762,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ panoreringsposisjon", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi-signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1712,6 +1771,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1719,77 +1779,86 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Stille", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Kalibrering", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth-signal", + "light_level": "Lysnivå", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatisk", + "box": "Eske", + "step": "Steg", + "apparent_power": "Tilsynelatende effekt", + "atmospheric_pressure": "Atmosfærisk trykk", + "carbon_dioxide": "Karbondioksid", + "data_rate": "Datahastighet", + "distance": "Avstand", + "stored_energy": "Lagret energi", + "frequency": "Frekvens", + "irradiance": "Innstråling", + "nitrogen_dioxide": "Nitrogendioksid", + "nitrogen_monoxide": "Nitrogenmonoksid", + "nitrous_oxide": "Nitrogenoksid", + "ozone": "Ozon", + "ph": "pH", + "pm": "Svevestøv 2,5 μm", + "power_factor": "Effekt faktor", + "precipitation_intensity": "Nedbørsintensitet", + "reactive_power": "Reaktiv effekt", + "sound_pressure": "Lydtrykk", + "speed": "Speed", + "sulphur_dioxide": "Svoveldioksid", + "vocs": "VOC", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Lagret volum", + "weight": "Vekt", + "available_tones": "Tilgjengelige toner", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Administrert via UI", + "next_event": "Neste arrangement", + "stopped": "Stopped", + "garage": "Garasje", "running_automations": "Kjører automasjoner", - "max_running_scripts": "Maks kjørende skript", + "id": "ID", + "max_running_automations": "Maks kjørende automasjoner", "run_mode": "Kjøremodus", "parallel": "Parallell", "queued": "I kø", "single": "Enkelt", - "end_time": "End time", - "start_time": "Start time", - "recording": "Opptak", - "streaming": "Strømming", - "access_token": "Tilgangskode", - "brand": "Merke", - "stream_type": "Strømtype", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Modell", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Ruter", - "cool": "Kjøling", - "dry": "Tørking", - "fan_only": "Bare vifte", - "heat_cool": "Varme/kjøling", - "aux_heat": "Aux varme", - "current_humidity": "Aktuell luftfuktighet", - "current_temperature": "Current Temperature", - "fan_mode": "Viftemodus", - "diffuse": "Diffus", - "middle": "Midten", - "top": "Topp", - "current_action": "Gjeldende handling", - "heating": "Oppvarming", - "preheating": "Forhåndsvarme", - "max_target_humidity": "Maksimumsmål for luftfuktighet", - "max_target_temperature": "Maks måltemperatur", - "min_target_humidity": "Minimumsmål for luftfuktighet", - "min_target_temperature": "Minimum måltemperatur", - "boost": "Boost", - "comfort": "Komfort", - "eco": "Øko", - "sleep": "Sove", - "presets": "Forhåndsinnstillinger", - "swing_mode": "Svingemodus", - "both": "Begge", - "horizontal": "Horisontal", - "upper_target_temperature": "Øvre måltemperatur", - "lower_target_temperature": "Lavere måltemperatur", - "target_temperature_step": "Trinn for måltemperatur", + "not_charging": "Lader ikke", + "disconnected": "Frakoblet", + "connected": "Tilkoblet", + "hot": "Varm", + "no_light": "Ingen lys", + "light_detected": "Lys oppdaget", + "locked": "Låst", + "unlocked": "Ulåst", + "not_moving": "Beveger seg ikke", + "unplugged": "Koblet fra", + "not_running": "Kjører ikke", + "safe": "Sikker", + "unsafe": "Usikker", + "tampering_detected": "Tampering detected", "buffering": "Bufring", "paused": "Pauset", "playing": "Spiller", @@ -1811,76 +1880,11 @@ "receiver": "Mottaker", "speaker": "Høyttaler", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Kun lysstyrke", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Fargetemperatur (mireds)", - "color_temperature_kelvin": "Fargetemperatur (Kelvin)", - "available_effects": "Tilgjengelige effekter", - "maximum_color_temperature_kelvin": "Maksimal fargetemperatur (Kelvin)", - "maximum_color_temperature_mireds": "Maksimal fargetemperatur (mireds)", - "minimum_color_temperature_kelvin": "Minimum fargetemperatur (Kelvin)", - "minimum_color_temperature_mireds": "Minimum fargetemperatur (mireds)", - "available_color_modes": "Tilgjengelige fargemoduser", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Tilgjengelige toner", - "locked": "Låst", - "unlocked": "Ulåst", - "members": "Medlemmer", - "managed_via_ui": "Administrert via UI", - "id": "ID", - "max_running_automations": "Maks kjørende automasjoner", - "finishes_at": "Ferdig kl", - "remaining": "Gjenstående", - "next_event": "Neste arrangement", - "update_available": "Oppdatering tilgjengelig", - "auto_update": "Automatisk oppdatering", - "in_progress": "Pågår", - "installed_version": "Installert versjon", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Fastvare", - "automatic": "Automatisk", - "box": "Eske", - "step": "Steg", - "apparent_power": "Tilsynelatende effekt", - "atmospheric_pressure": "Atmosfærisk trykk", - "carbon_dioxide": "Karbondioksid", - "data_rate": "Datahastighet", - "distance": "Avstand", - "stored_energy": "Lagret energi", - "frequency": "Frekvens", - "irradiance": "Innstråling", - "nitrogen_dioxide": "Nitrogendioksid", - "nitrogen_monoxide": "Nitrogenmonoksid", - "nitrous_oxide": "Nitrogenoksid", - "ozone": "Ozon", - "ph": "pH", - "pm": "Svevestøv 2,5 μm", - "power_factor": "Effekt faktor", - "precipitation_intensity": "Nedbørsintensitet", - "reactive_power": "Reaktiv effekt", - "signal_strength": "Signalstyrke", - "sound_pressure": "Lydtrykk", - "speed": "Speed", - "sulphur_dioxide": "Svoveldioksid", - "vocs": "VOC", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Lagret volum", - "weight": "Vekt", - "stopped": "Stopped", - "garage": "Garasje", - "max_length": "Maks lengde", - "min_length": "Min lengde", - "pattern": "Mønster", + "above_horizon": "Over horisonten", + "below_horizon": "Under horisonten", + "oscillating": "Oscillating", + "speed_step": "Hastighetstrinn", + "available_preset_modes": "Tilgjengelige forhåndsinnstilte moduser", "armed_away": "Armert borte", "armed_custom_bypass": "Armert tilpasset unntak", "armed_home": "Armert hjemme", @@ -1892,15 +1896,71 @@ "code_for_arming": "Kode for tilkopling", "not_required": "Ikke nødvendig", "code_format": "Kodeformat", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Ruter", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Maks kjørende skript", + "jammed": "Fastkjørt", + "locking": "Låse", + "unlocking": "Låser opp", + "cool": "Kjøling", + "fan_only": "Bare vifte", + "heat_cool": "Varme/kjøling", + "aux_heat": "Aux varme", + "current_humidity": "Aktuell luftfuktighet", + "current_temperature": "Current Temperature", + "fan_mode": "Viftemodus", + "diffuse": "Diffus", + "middle": "Midten", + "top": "Topp", + "current_action": "Gjeldende handling", + "heating": "Oppvarming", + "preheating": "Forhåndsvarme", + "max_target_humidity": "Maksimumsmål for luftfuktighet", + "max_target_temperature": "Maks måltemperatur", + "min_target_humidity": "Minimumsmål for luftfuktighet", + "min_target_temperature": "Minimum måltemperatur", + "boost": "Boost", + "comfort": "Komfort", + "eco": "Øko", + "sleep": "Sove", + "presets": "Forhåndsinnstillinger", + "swing_mode": "Svingemodus", + "both": "Begge", + "horizontal": "Horisontal", + "upper_target_temperature": "Øvre måltemperatur", + "lower_target_temperature": "Lavere måltemperatur", + "target_temperature_step": "Trinn for måltemperatur", "last_reset": "Siste tilbakestilling", "possible_states": "Mulige tilstander", "state_class": "Tilstandsklasse", "measurement": "Måling", "total": "Total", "total_increasing": "Totalt økende", + "conductivity": "Conductivity", "data_size": "Datastørrelse", "balance": "Balanse", "timestamp": "Tidsstempel", + "color_mode": "Color Mode", + "brightness_only": "Kun lysstyrke", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Fargetemperatur (mireds)", + "color_temperature_kelvin": "Fargetemperatur (Kelvin)", + "available_effects": "Tilgjengelige effekter", + "maximum_color_temperature_kelvin": "Maksimal fargetemperatur (Kelvin)", + "maximum_color_temperature_mireds": "Maksimal fargetemperatur (mireds)", + "minimum_color_temperature_kelvin": "Minimum fargetemperatur (Kelvin)", + "minimum_color_temperature_mireds": "Minimum fargetemperatur (mireds)", + "available_color_modes": "Tilgjengelige fargemoduser", "clear_night": "Klart, natt", "cloudy": "Skyet", "exceptional": "Eksepsjonell", @@ -1922,62 +1982,80 @@ "uv_index": "UV index", "wind_bearing": "Vindendring", "wind_gust_speed": "Vindkasthastighet", - "above_horizon": "Over horisonten", - "below_horizon": "Under horisonten", - "oscillating": "Oscillating", - "speed_step": "Hastighetstrinn", - "available_preset_modes": "Tilgjengelige forhåndsinnstilte moduser", - "jammed": "Fastkjørt", - "locking": "Låse", - "unlocking": "Låser opp", - "identify": "Identifiser", - "not_charging": "Lader ikke", - "detected": "Oppdaget", - "disconnected": "Frakoblet", - "connected": "Tilkoblet", - "hot": "Varm", - "no_light": "Ingen lys", - "light_detected": "Lys oppdaget", - "wet": "Våt", - "not_moving": "Beveger seg ikke", - "unplugged": "Koblet fra", - "not_running": "Kjører ikke", - "safe": "Sikker", - "unsafe": "Usikker", - "tampering_detected": "Tampering detected", + "recording": "Opptak", + "streaming": "Strømming", + "access_token": "Tilgangskode", + "brand": "Merke", + "stream_type": "Strømtype", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Modell", "minute": "Minutt", "second": "Andre", - "location_is_already_configured": "Plasseringen er allerede konfigurert", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Ugyldig API-nøkkel", - "api_key": "API-nøkkel", + "max_length": "Maks lengde", + "min_length": "Min lengde", + "pattern": "Mønster", + "members": "Medlemmer", + "finishes_at": "Ferdig kl", + "remaining": "Gjenstående", + "identify": "Identifiser", + "auto_update": "Automatisk oppdatering", + "in_progress": "Pågår", + "installed_version": "Installert versjon", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Fastvare", + "abort_single_instance_allowed": "Allerede konfigurert. Bare én enkelt konfigurasjon er mulig.", "user_description": "Vil du starte oppsettet?", + "device_is_already_configured": "Enhet er allerede konfigurert", + "re_authentication_was_successful": "Autentisering på nytt var vellykket", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Tilkobling mislyktes", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Ugyldig godkjenning", + "unexpected_error": "Uventet feil", + "username": "Brukernavn", + "host": "Host", "account_is_already_configured": "Kontoen er allerede konfigurert", "abort_already_in_progress": "Konfigurasjonsflyten pågår allerede", - "failed_to_connect": "Tilkobling mislyktes", "invalid_access_token": "Ugyldig tilgangskode", "received_invalid_token_data": "Mottatt ugyldige token-data.", "abort_oauth_failed": "Feil ved henting av tilgangskode.", "timeout_resolving_oauth_token": "Tidsavbrudd ved oppslag av OAuth-token.", "abort_oauth_unauthorized": "OAuth-autorisasjonsfeil ved henting av tilgangskode.", - "re_authentication_was_successful": "Autentisering på nytt var vellykket", - "timeout_establishing_connection": "Tidsavbrudd oppretter forbindelse", - "unexpected_error": "Uventet feil", "successfully_authenticated": "Vellykket godkjenning", - "link_google_account": "Koble til Google-kontoen", + "link_fitbit": "Koble med Fitbit", "pick_authentication_method": "Velg godkjenningsmetode", "authentication_expired_for_name": "Autentisering er utløpt for {name}", "service_is_already_configured": "Tjenesten er allerede konfigurert", - "confirm_description": "Vil du sette opp {name} ?", - "device_is_already_configured": "Enhet er allerede konfigurert", - "abort_no_devices_found": "Ingen enheter funnet på nettverket", - "connection_error_error": "Tilkoblingsfeil: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ( {host} )", - "username": "Brukernavn", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Allerede konfigurert. Bare én enkelt konfigurasjon er mulig.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Vil du sette opp {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Velg en Bluetooth-adapter for å konfigurere", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API-nøkkel", + "configure_daikin_ac": "Konfigurer Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1993,38 +2071,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Ugyldig vertsnavn eller IP-adresse", - "device_not_supported": "Enheten støttes ikke", - "name_model_at_host": "{name} ({model} på {host})", - "authenticate_to_the_device": "Godkjenning til enheten", - "finish_title": "Velg et navn på enheten", - "unlock_the_device": "Lås opp enheten", - "yes_do_it": "Ja, gjør det.", - "unlock_the_device_optional": "Lås opp enheten (valgfritt)", - "connect_to_the_device": "Koble til enheten", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Ugyldig godkjenning", - "two_factor_code": "Totrinnsbekreftelse kode", - "two_factor_authentication": "Totrinnsbekreftelse", - "sign_in_with_ring_account": "Logg på med din Ring-konto", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Koble med Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Bruker et SSL-sertifikat", + "verify_ssl_certificate": "Verifisere SSL-sertifikat", + "timeout_establishing_connection": "Tidsavbrudd oppretter forbindelse", + "link_google_account": "Koble til Google-kontoen", + "abort_no_devices_found": "Ingen enheter funnet på nettverket", + "connection_error_error": "Tilkoblingsfeil: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ( {host} )", + "authenticate": "Authenticate", + "device_class": "Enhetsklasse", + "state_template": "Tilstandsmal", + "template_binary_sensor": "Mal for binær sensor", + "template_sensor": "Malsensor", + "template_a_binary_sensor": "Mal for en binær sensor", + "template_a_sensor": "Mal for en sensor", + "template_helper": "Malhjelper", + "location_is_already_configured": "Plasseringen er allerede konfigurert", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Ugyldig API-nøkkel", + "pin_code": "PIN-kode", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Kjente verter", + "google_cast_configuration": "Google Cast-konfigurasjon", + "abort_invalid_host": "Ugyldig vertsnavn eller IP-adresse", + "device_not_supported": "Enheten støttes ikke", + "name_model_at_host": "{name} ({model} på {host})", + "authenticate_to_the_device": "Godkjenning til enheten", + "finish_title": "Velg et navn på enheten", + "unlock_the_device": "Lås opp enheten", + "yes_do_it": "Ja, gjør det.", + "unlock_the_device_optional": "Lås opp enheten (valgfritt)", + "connect_to_the_device": "Koble til enheten", "invalid_birth_topic": "Ugyldig fødselsemne", "error_bad_certificate": "CA-sertifikatet er ugyldig", "invalid_discovery_prefix": "Ugyldig oppdagelsesprefiks", @@ -2048,8 +2128,9 @@ "path_is_not_allowed": "Stien er ikke tillatt", "path_is_not_valid": "Banen er ikke gyldig", "path_to_file": "Bane til fil", - "known_hosts": "Kjente verter", - "google_cast_configuration": "Google Cast-konfigurasjon", + "api_error_occurred": "API-feil oppstod", + "hostname_ip_address": "{hostname} ( {ip_address} )", + "enable_https": "Aktiver HTTPS", "abort_mdns_missing_mac": "Manglende MAC-adresse i MDNS-egenskaper.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2057,10 +2138,35 @@ "service_received": "Service mottatt", "discovered_esphome_node": "Oppdaget ESPHome node", "encryption_key": "Krypteringsnøkkel", + "component_cloud_config_step_one": "Tom", + "component_cloud_config_step_other": "Tomme", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Switchbot-type støttes ikke.", + "authentication_failed_error_detail": "Autentisering mislyktes: {error_detail}", + "error_encryption_key_invalid": "Nøkkel-ID eller krypteringsnøkkel er ugyldig", + "name_address": "{name} ( {address} )", + "switchbot_account_recommended": "SwitchBot-konto (anbefalt)", + "menu_options_lock_key": "Skriv inn låskrypteringsnøkkelen manuelt", + "key_id": "Nøkkel-ID", + "password_description": "Passord til å beskytte sikkerhetskopien.", + "device_address": "Enhetsadresse", + "two_factor_code": "Totrinnsbekreftelse kode", + "two_factor_authentication": "Totrinnsbekreftelse", + "sign_in_with_ring_account": "Logg på med din Ring-konto", + "bridge_is_already_configured": "Broen er allerede konfigurert", + "no_deconz_bridges_discovered": "Ingen deCONZ broer oppdaget", + "abort_no_hardware_available": "Ingen radiomaskinvare koblet til deCONZ", + "abort_updated_instance": "Oppdatert deCONZ forekomst med ny vertsadresse", + "error_linking_not_possible": "Kunne ikke koble til gatewayen", + "error_no_key": "Kunne ikke få en API-nøkkel", + "link_with_deconz": "Koble til deCONZ", + "select_discovered_deconz_gateway": "Velg oppdaget deCONZ gateway", "all_entities": "Alle enheter", "hide_members": "Skjul medlemmer", "add_group": "Legg til gruppe", - "device_class": "Enhetsklasse", "ignore_non_numeric": "Ignorer ikke-numerisk", "data_round_digits": "Avrund verdi til antall desimaler", "type": "Type", @@ -2073,84 +2179,50 @@ "media_player_group": "Mediespillergruppe", "sensor_group": "Sensorgruppe", "switch_group": "Brytergruppe", - "name_already_exists": "Navnet eksisterer allerede", - "passive": "Passiv", - "define_zone_parameters": "Definer sone-parametere", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "component_cloud_config_step_one": "Tom", - "component_cloud_config_step_other": "Tomme", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Enheten støttes bedre av en annen integrasjon", "abort_discovery_error": "Kunne ikke finne en matchende DLNA -enhet", "abort_incomplete_config": "Konfigurasjonen mangler en nødvendig variabel", "manual_description": "URL til en enhetsbeskrivelse XML -fil", "manual_title": "Manuell DLNA DMR -enhetstilkobling", "discovered_dlna_dmr_devices": "Oppdaget DLNA DMR -enheter", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Navnet eksisterer allerede", + "passive": "Passiv", + "define_zone_parameters": "Definer sone-parametere", "calendar_name": "Kalendernavn", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "bluetooth_confirm_description": "Vil du sette opp {name}?", - "adapter": "Adapter", - "multiple_adapters_description": "Velg en Bluetooth-adapter for å konfigurere", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Bruker et SSL-sertifikat", - "verify_ssl_certificate": "Verifisere SSL-sertifikat", - "configure_daikin_ac": "Konfigurer Daikin AC", - "pin_code": "PIN-kode", - "discovered_android_tv": "Discovered Android TV", - "state_template": "Tilstandsmal", - "template_binary_sensor": "Mal for binær sensor", - "template_sensor": "Malsensor", - "template_a_binary_sensor": "Mal for en binær sensor", - "template_a_sensor": "Mal for en sensor", - "template_helper": "Malhjelper", - "bridge_is_already_configured": "Broen er allerede konfigurert", - "no_deconz_bridges_discovered": "Ingen deCONZ broer oppdaget", - "abort_no_hardware_available": "Ingen radiomaskinvare koblet til deCONZ", - "abort_updated_instance": "Oppdatert deCONZ forekomst med ny vertsadresse", - "error_linking_not_possible": "Kunne ikke koble til gatewayen", - "error_no_key": "Kunne ikke få en API-nøkkel", - "link_with_deconz": "Koble til deCONZ", - "select_discovered_deconz_gateway": "Velg oppdaget deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Switchbot-type støttes ikke.", - "authentication_failed_error_detail": "Autentisering mislyktes: {error_detail}", - "error_encryption_key_invalid": "Nøkkel-ID eller krypteringsnøkkel er ugyldig", - "name_address": "{name} ( {address} )", - "switchbot_account_recommended": "SwitchBot-konto (anbefalt)", - "menu_options_lock_key": "Skriv inn låskrypteringsnøkkelen manuelt", - "key_id": "Nøkkel-ID", - "password_description": "Passord til å beskytte sikkerhetskopien.", - "device_address": "Enhetsadresse", - "api_error_occurred": "API-feil oppstod", - "hostname_ip_address": "{hostname} ( {ip_address} )", - "enable_https": "Aktiver HTTPS", - "enable_the_conversation_agent": "Aktiver samtaleagenten", - "language_code": "Språkkode", - "select_test_server": "Velg testserver", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth-skannermodus", + "passive_scanning": "Passiv skanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2233,6 +2305,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Aktiver samtaleagenten", + "language_code": "Språkkode", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant tilgang til Google Kalender", + "ignore_cec": "Ignorer CEC", + "allowed_uuids": "Tillatte UUIDer", + "advanced_google_cast_configuration": "Avansert Google Cast-konfigurasjon", "broker_options": "Megleralternativer", "enable_birth_message": "Aktiver fødselsmelding", "birth_message_payload": "Fødselsmelding nyttelast", @@ -2246,106 +2335,37 @@ "will_message_retain": "Testament melding behold", "will_message_topic": "Testament melding emne", "mqtt_options": "MQTT-alternativer", - "ignore_cec": "Ignorer CEC", - "allowed_uuids": "Tillatte UUIDer", - "advanced_google_cast_configuration": "Avansert Google Cast-konfigurasjon", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth-skannermodus", + "protocol": "Protokoll", + "select_test_server": "Velg testserver", + "retry_count": "Antall nye forsøk", + "allow_deconz_clip_sensors": "Tillat deCONZ CLIP-sensorer", + "allow_deconz_light_groups": "Tillat deCONZ lys grupper", + "data_allow_new_devices": "Tillat automatisk tilsetning av nye enheter", + "deconz_devices_description": "Konfigurere synlighet av deCONZ enhetstyper", + "deconz_options": "deCONZ alternativer", "invalid_url": "ugyldig URL", "data_browse_unfiltered": "Vis inkompatible medier når du surfer", "event_listener_callback_url": "URL for tilbakeringing av hendelseslytter", "data_listen_port": "Hendelseslytterport (tilfeldig hvis den ikke er angitt)", "poll_for_device_availability": "Avstemning for tilgjengelighet av enheter", "init_title": "DLNA Digital Media Renderer -konfigurasjon", - "passive_scanning": "Passiv skanning", - "allow_deconz_clip_sensors": "Tillat deCONZ CLIP-sensorer", - "allow_deconz_light_groups": "Tillat deCONZ lys grupper", - "data_allow_new_devices": "Tillat automatisk tilsetning av nye enheter", - "deconz_devices_description": "Konfigurere synlighet av deCONZ enhetstyper", - "deconz_options": "deCONZ alternativer", - "retry_count": "Antall nye forsøk", - "data_calendar_access": "Home Assistant tilgang til Google Kalender", - "protocol": "Protokoll", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Veksle {entity_name}", - "turn_off_entity_name": "Skru av {entity_name}", - "turn_on_entity_name": "Skru på {entity_name}", - "entity_name_is_off": "{entity_name} er av", - "entity_name_is_on": "{entity_name} er på", - "trigger_type_changed_states": "{entity_name} skrudd på eller av", - "entity_name_turned_off": "{entity_name} skrudd av", - "entity_name_turned_on": "{entity_name} skrudd på", - "entity_name_is_home": "{entity_name} er hjemme", - "entity_name_is_not_home": "{entity_name} er ikke hjemme", - "entity_name_enters_a_zone": "{entity_name} går inn i en sone", - "entity_name_leaves_a_zone": "{entity_name} forlater en sone", - "action_type_set_hvac_mode": "Endre klima-modus på {entity_name}", - "change_preset_on_entity_name": "Endre modus på {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} målt luftfuktighet er endret", - "entity_name_measured_temperature_changed": "{entity_name} målt temperatur er endret", - "entity_name_hvac_mode_changed": "{entity_name} klima-modus er endret", - "entity_name_is_buffering": "{entity_name} bufre", - "entity_name_is_idle": "{entity_name} er inaktiv", - "entity_name_is_paused": "{entity_name} er satt på pause", - "entity_name_is_playing": "{entity_name} spiller nå", - "entity_name_starts_buffering": "{entity_name} starter bufring", - "entity_name_becomes_idle": "{entity_name} blir inaktiv", - "entity_name_starts_playing": "{entity_name} begynner å spille", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Første knapp", "second_button": "Andre knapp", "third_button": "Tredje knapp", "fourth_button": "Fjerde knapp", - "fifth_button": "Femte knapp", - "sixth_button": "Sjette knapp", - "subtype_double_clicked": "\" {subtype} \" dobbeltklikket", - "subtype_continuously_pressed": "\" {subtype} \" kontinuerlig trykket", - "trigger_type_button_long_release": "\"{subtype}\" slipppes etter lang trykk", - "subtype_quadruple_clicked": "\" {subtype} \" firedoblet klikk", - "subtype_quintuple_clicked": "\" {subtype} \" femdobbelt klikket", - "subtype_pressed": "\" {subtype} \" trykket", - "subtype_released": "\" {subtype} \" slippes", - "subtype_triple_clicked": "\" {subtype} \" trippelklikket", - "decrease_entity_name_brightness": "Reduser lysstyrken på {entity_name}", - "increase_entity_name_brightness": "Øk lysstyrken på {entity_name}", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Endre {entity_name} til det første alternativet", - "action_type_select_last": "Endre {entity_name} til siste alternativ", - "action_type_select_next": "Endre {entity_name} til neste alternativ", - "change_entity_name_option": "Endre alternativet {entity_name}", - "action_type_select_previous": "Endre {entity_name} til forrige alternativ", - "current_entity_name_selected_option": "Gjeldende {entity_name} valgt alternativ", - "entity_name_option_changed": "Alternativet {entity_name} er endret", - "entity_name_update_availability_changed": "{entity_name} -oppdateringstilgjengeligheten er endret", - "entity_name_became_up_to_date": "{entity_name} ble oppdatert", - "trigger_type_update": "{entity_name} har en oppdatering tilgjengelig", "subtype_button_down": "{subtype}-knappen ned", "subtype_button_up": "{subtype} -knappen opp", + "subtype_double_clicked": "\" {subtype} \" dobbeltklikket", "subtype_double_push": "{subtype} dobbelt trykk", "subtype_long_clicked": "{subtype} klikket lenge", "subtype_long_push": "{subtype} langt trykk", @@ -2353,8 +2373,10 @@ "subtype_single_clicked": "{subtype} enkeltklikket", "trigger_type_single_long": "{subtype} enkeltklikket og deretter et lengre klikk", "subtype_single_push": "{subtype} enkelt trykk", + "subtype_triple_clicked": "\" {subtype} \" trippelklikket", "subtype_triple_push": "{subtype} trippeltrykk", "set_value_for_entity_name": "Angi verdi for {entity_name}", + "value": "Verdi", "close_entity_name": "Lukk {entity_name}", "close_entity_name_tilt": "Lukk {entity_name} tilt", "open_entity_name": "Åpne {entity_name}", @@ -2372,7 +2394,113 @@ "entity_name_opened": "{entity_name} opened", "entity_name_position_changes": "{entity_name} posisjon endringer", "entity_name_tilt_position_changes": "{entity_name} tilt posisjon endringer", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} batterinivået er lavt", + "entity_name_charging": "{entity_name} lader", + "condition_type_is_co": "{entity_name} oppdager karbonmonoksid", + "entity_name_is_cold": "{entity_name} er kald", + "entity_name_is_connected": "{entity_name} er tilkoblet", + "entity_name_is_detecting_gas": "{entity_name} registrerer gass", + "entity_name_is_hot": "{entity_name} er varm", + "entity_name_is_detecting_light": "{entity_name} registrerer lys", + "entity_name_is_locked": "{entity_name} er låst", + "entity_name_is_moist": "{entity_name} er fuktig", + "entity_name_is_detecting_motion": "{entity_name} registrerer bevegelse", + "entity_name_is_moving": "{entity_name} er i bevegelse", + "condition_type_is_no_co": "{entity_name} oppdager ikke karbonmonoksid", + "condition_type_is_no_gas": "{entity_name} registrerer ikke gass", + "condition_type_is_no_light": "{entity_name} registrerer ikke lys", + "condition_type_is_no_motion": "{entity_name} registrerer ikke bevegelse", + "condition_type_is_no_problem": "{entity_name} registrerer ikke et problem", + "condition_type_is_no_smoke": "{entity_name} registrerer ikke røyk", + "condition_type_is_no_sound": "{entity_name} registrerer ikke lyd", + "entity_name_is_up_to_date": "{entity_name} er oppdatert", + "entity_name_battery_is_normal": "{entity_name} batteri er normalt", + "entity_name_not_charging": "{entity_name} lader ikke", + "entity_name_is_not_cold": "{entity_name} er ikke kald", + "entity_name_is_disconnected": "{entity_name} er frakoblet", + "entity_name_is_not_hot": "{entity_name} er ikke varm", + "entity_name_is_unlocked": "{entity_name} er låst opp", + "entity_name_is_dry": "{entity_name} er tørr", + "entity_name_is_not_moving": "{entity_name} er ikke i bevegelse", + "entity_name_is_not_occupied": "{entity_name} er ledig", + "entity_name_is_unplugged": "{entity_name} er koblet fra", + "entity_name_is_not_powered": "{entity_name} er spenningsløs", + "entity_name_is_not_present": "{entity_name} er ikke tilstede", + "entity_name_is_not_running": "{entity_name} kjører ikke", + "condition_type_is_not_tampered": "{entity_name} oppdager ikke manipulering", + "entity_name_is_safe": "{entity_name} er trygg", + "entity_name_is_occupied": "{entity_name} er opptatt", + "entity_name_is_off": "{entity_name} er av", + "entity_name_is_on": "{entity_name} er på", + "entity_name_is_plugged_in": "{entity_name} er koblet til", + "entity_name_is_powered": "{entity_name} er spenningssatt", + "entity_name_is_present": "{entity_name} er tilstede", + "entity_name_is_detecting_problem": "{entity_name} registrerer et problem", + "entity_name_is_running": "{entity_name} kjører", + "entity_name_is_detecting_smoke": "{entity_name} registrerer røyk", + "entity_name_is_detecting_sound": "{entity_name} registrerer lyd", + "entity_name_is_detecting_tampering": "{entity_name} oppdager manipulering", + "entity_name_is_unsafe": "{entity_name} er utrygg", + "condition_type_is_update": "{entity_name} har en tilgjengelig oppdatering", + "entity_name_is_detecting_vibration": "{entity_name} registrerer vibrasjon", + "entity_name_battery_low": "{entity_name} lavt batteri", + "trigger_type_co": "{entity_name} begynte å oppdage karbonmonoksid", + "entity_name_became_cold": "{entity_name} ble kald", + "entity_name_connected": "{entity_name} tilkoblet", + "entity_name_started_detecting_gas": "{entity_name} begynte å registrere gass", + "entity_name_became_hot": "{entity_name} ble varm", + "entity_name_started_detecting_light": "{entity_name} begynte å registrere lys", + "entity_name_locked": "{entity_name} låst", + "entity_name_became_moist": "{entity_name} ble fuktig", + "entity_name_started_detecting_motion": "{entity_name} begynte å registrere bevegelse", + "entity_name_started_moving": "{entity_name} begynte å bevege seg", + "trigger_type_no_co": "{entity_name} sluttet å oppdage karbonmonoksid", + "entity_name_stopped_detecting_gas": "{entity_name} sluttet å registrere gass", + "entity_name_stopped_detecting_light": "{entity_name} sluttet å registrere lys", + "entity_name_stopped_detecting_motion": "{entity_name} sluttet å registrere bevegelse", + "entity_name_stopped_detecting_problem": "{entity_name} sluttet å registrere problem", + "entity_name_stopped_detecting_smoke": "{entity_name} sluttet å registrere røyk", + "entity_name_stopped_detecting_sound": "{entity_name} sluttet å registrere lyd", + "entity_name_became_up_to_date": "{entity_name} ble oppdatert", + "entity_name_stopped_detecting_vibration": "{entity_name} sluttet å registrere vibrasjon", + "entity_name_battery_normal": "{entity_name} batteri normalt", + "entity_name_became_not_cold": "{entity_name} ble ikke lenger kald", + "entity_name_unplugged": "{entity_name} koblet fra", + "entity_name_became_not_hot": "{entity_name} ble ikke lenger varm", + "entity_name_unlocked": "{entity_name} låst opp", + "entity_name_became_dry": "{entity_name} ble tørr", + "entity_name_stopped_moving": "{entity_name} sluttet å bevege seg", + "entity_name_became_not_occupied": "{entity_name} ble ledig", + "entity_name_not_powered": "{entity_name} spenningsløs", + "entity_name_not_present": "{entity_name} ikke til stede", + "trigger_type_not_running": "{entity_name} kjører ikke lenger", + "entity_name_stopped_detecting_tampering": "{entity_name} sluttet å oppdage manipulering", + "entity_name_became_safe": "{entity_name} ble trygg", + "entity_name_became_occupied": "{entity_name} ble opptatt", + "entity_name_plugged_in": "{entity_name} koblet til", + "entity_name_powered": "{entity_name} spenningssatt", + "entity_name_present": "{entity_name} tilstede", + "entity_name_started_detecting_problem": "{entity_name} begynte å registrere et problem", + "entity_name_started_running": "{entity_name} begynte å kjøre", + "entity_name_started_detecting_smoke": "{entity_name} begynte å registrere røyk", + "entity_name_started_detecting_sound": "{entity_name} begynte å registrere lyd", + "entity_name_started_detecting_tampering": "{entity_name} begynte å oppdage manipulering", + "entity_name_turned_off": "{entity_name} skrudd av", + "entity_name_turned_on": "{entity_name} skrudd på", + "entity_name_became_unsafe": "{entity_name} ble usikker", + "trigger_type_update": "{entity_name} har en oppdatering tilgjengelig", + "entity_name_started_detecting_vibration": "{entity_name} begynte å oppdage vibrasjon", + "entity_name_is_buffering": "{entity_name} bufre", + "entity_name_is_idle": "{entity_name} er inaktiv", + "entity_name_is_paused": "{entity_name} er satt på pause", + "entity_name_is_playing": "{entity_name} spiller nå", + "entity_name_starts_buffering": "{entity_name} starter bufring", + "trigger_type_changed_states": "{entity_name} skrudd på eller av", + "entity_name_becomes_idle": "{entity_name} blir inaktiv", + "entity_name_starts_playing": "{entity_name} begynner å spille", + "toggle_entity_name": "Veksle {entity_name}", + "turn_off_entity_name": "Skru av {entity_name}", + "turn_on_entity_name": "Skru på {entity_name}", "arm_entity_name_away": "Aktiver {entity_name} borte", "arm_entity_name_home": "Aktiver {entity_name} hjemme", "arm_entity_name_night": "Aktiver {entity_name} natt", @@ -2391,12 +2519,26 @@ "entity_name_armed_vacation": "{entity_name} armert ferie", "entity_name_disarmed": "{entity_name} deaktivert", "entity_name_triggered": "{entity_name} utløst", + "entity_name_is_home": "{entity_name} er hjemme", + "entity_name_is_not_home": "{entity_name} er ikke hjemme", + "entity_name_enters_a_zone": "{entity_name} går inn i en sone", + "entity_name_leaves_a_zone": "{entity_name} forlater en sone", + "lock_entity_name": "Lås {entity_name}", + "unlock_entity_name": "Lås opp {entity_name}", + "action_type_set_hvac_mode": "Endre klima-modus på {entity_name}", + "change_preset_on_entity_name": "Endre modus på {entity_name}", + "hvac_mode": "HVAC-modus", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} målt luftfuktighet er endret", + "entity_name_measured_temperature_changed": "{entity_name} målt temperatur er endret", + "entity_name_hvac_mode_changed": "{entity_name} klima-modus er endret", "current_entity_name_apparent_power": "Nåværende tilsynelatende kraft for {entity_name}", "condition_type_is_aqi": "Gjeldende {entity_name} luftkvalitetsindeks", "current_entity_name_atmospheric_pressure": "Gjeldende {entity_name} atmosfærisk trykk", "current_entity_name_battery_level": "Gjeldende {entity_name} batterinivå", "condition_type_is_carbon_dioxide": "Gjeldende {entity_name} karbondioksidkonsentrasjonsnivå", "condition_type_is_carbon_monoxide": "Gjeldende {entity_name} karbonmonoksid konsentrasjonsnivå", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Gjeldende {entity_name} strøm", "current_entity_name_data_rate": "Gjeldende datahastighet {entity_name}", "current_entity_name_data_size": "Gjeldende datastørrelse {entity_name}", @@ -2441,6 +2583,7 @@ "entity_name_battery_level_changes": "{entity_name} batterinivå endres", "trigger_type_carbon_dioxide": "{entity_name} endringer i konsentrasjonen av karbondioksid", "trigger_type_carbon_monoxide": "{entity_name} endringer i konsentrasjonen av karbonmonoksid", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} gjeldende endringer", "entity_name_data_rate_changes": "Datahastighetendringer {entity_name}", "entity_name_data_size_changes": "Datastørrelsen {entity_name} endres", @@ -2478,133 +2621,70 @@ "entity_name_water_changes": "{entity_name} vannforandringer", "entity_name_weight_changes": "Vektendringer {entity_name}", "entity_name_wind_speed_changes": "Vindhastighetendringer for {entity_name}", + "decrease_entity_name_brightness": "Reduser lysstyrken på {entity_name}", + "increase_entity_name_brightness": "Øk lysstyrken på {entity_name}", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Femte knapp", + "sixth_button": "Sjette knapp", + "subtype_continuously_pressed": "\" {subtype} \" kontinuerlig trykket", + "trigger_type_button_long_release": "\"{subtype}\" slipppes etter lang trykk", + "subtype_quadruple_clicked": "\" {subtype} \" firedoblet klikk", + "subtype_quintuple_clicked": "\" {subtype} \" femdobbelt klikket", + "subtype_pressed": "\" {subtype} \" trykket", + "subtype_released": "\" {subtype} \" slippes", + "action_type_select_first": "Endre {entity_name} til det første alternativet", + "action_type_select_last": "Endre {entity_name} til siste alternativ", + "action_type_select_next": "Endre {entity_name} til neste alternativ", + "change_entity_name_option": "Endre alternativet {entity_name}", + "action_type_select_previous": "Endre {entity_name} til forrige alternativ", + "current_entity_name_selected_option": "Gjeldende {entity_name} valgt alternativ", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "Alternativet {entity_name} er endret", + "send_a_notification": "Send a notification", + "both_buttons": "Begge knappene", + "bottom_buttons": "Nederste knappene", + "seventh_button": "Syvende knapp", + "eighth_button": "Åttende knapp", + "dim_down": "Dimm ned", + "dim_up": "Dimm opp", + "left": "Venstre", + "right": "Høyre", + "top_buttons": "Øverste knappene", + "device_awakened": "Enheten ble vekket", + "trigger_type_remote_button_long_release": "\" {subtype} \" slippes etter lang trykk", + "button_rotated_subtype": "Knappen roterte \"{subtype}\"", + "button_rotated_fast_subtype": "Knappen roterte raskt \"{subtype}\"", + "button_rotation_subtype_stopped": "Knapperotasjon \"{subtype}\" stoppet", + "device_subtype_double_tapped": "Enheten \"{subtype}\" dobbeltklikket", + "trigger_type_remote_double_tap_any_side": "Enheten dobbeltklikket på alle sider", + "device_in_free_fall": "Enheten er i fritt fall", + "device_flipped_degrees": "Enheten er snudd 90 grader", + "device_shaken": "Enhet er ristet", + "trigger_type_remote_moved": "Enheten ble flyttet med \"{subtype}\" opp", + "trigger_type_remote_moved_any_side": "Enheten flyttet med hvilken som helst side opp", + "trigger_type_remote_rotate_from_side": "Enheten rotert fra \"side 6\" til \"{subtype}\"", + "device_turned_clockwise": "Enheten dreide med klokken", + "device_turned_counter_clockwise": "Enheten dreide mot klokken", "press_entity_name_button": "Trykk på {entity_name} -knappen", "entity_name_has_been_pressed": "{entity_name} har blitt trykket", - "entity_name_battery_is_low": "{entity_name} batterinivået er lavt", - "entity_name_charging": "{entity_name} lader", - "condition_type_is_co": "{entity_name} oppdager karbonmonoksid", - "entity_name_is_cold": "{entity_name} er kald", - "entity_name_is_connected": "{entity_name} er tilkoblet", - "entity_name_is_detecting_gas": "{entity_name} registrerer gass", - "entity_name_is_hot": "{entity_name} er varm", - "entity_name_is_detecting_light": "{entity_name} registrerer lys", - "entity_name_is_locked": "{entity_name} er låst", - "entity_name_is_moist": "{entity_name} er fuktig", - "entity_name_is_detecting_motion": "{entity_name} registrerer bevegelse", - "entity_name_is_moving": "{entity_name} er i bevegelse", - "condition_type_is_no_co": "{entity_name} oppdager ikke karbonmonoksid", - "condition_type_is_no_gas": "{entity_name} registrerer ikke gass", - "condition_type_is_no_light": "{entity_name} registrerer ikke lys", - "condition_type_is_no_motion": "{entity_name} registrerer ikke bevegelse", - "condition_type_is_no_problem": "{entity_name} registrerer ikke et problem", - "condition_type_is_no_smoke": "{entity_name} registrerer ikke røyk", - "condition_type_is_no_sound": "{entity_name} registrerer ikke lyd", - "entity_name_is_up_to_date": "{entity_name} er oppdatert", - "entity_name_battery_is_normal": "{entity_name} batteri er normalt", - "entity_name_not_charging": "{entity_name} lader ikke", - "entity_name_is_not_cold": "{entity_name} er ikke kald", - "entity_name_is_disconnected": "{entity_name} er frakoblet", - "entity_name_is_not_hot": "{entity_name} er ikke varm", - "entity_name_is_unlocked": "{entity_name} er låst opp", - "entity_name_is_dry": "{entity_name} er tørr", - "entity_name_is_not_moving": "{entity_name} er ikke i bevegelse", - "entity_name_is_not_occupied": "{entity_name} er ledig", - "entity_name_is_unplugged": "{entity_name} er koblet fra", - "entity_name_is_not_powered": "{entity_name} er spenningsløs", - "entity_name_is_not_present": "{entity_name} er ikke tilstede", - "entity_name_is_not_running": "{entity_name} kjører ikke", - "condition_type_is_not_tampered": "{entity_name} oppdager ikke manipulering", - "entity_name_is_safe": "{entity_name} er trygg", - "entity_name_is_occupied": "{entity_name} er opptatt", - "entity_name_is_plugged_in": "{entity_name} er koblet til", - "entity_name_is_powered": "{entity_name} er spenningssatt", - "entity_name_is_present": "{entity_name} er tilstede", - "entity_name_is_detecting_problem": "{entity_name} registrerer et problem", - "entity_name_is_running": "{entity_name} kjører", - "entity_name_is_detecting_smoke": "{entity_name} registrerer røyk", - "entity_name_is_detecting_sound": "{entity_name} registrerer lyd", - "entity_name_is_detecting_tampering": "{entity_name} oppdager manipulering", - "entity_name_is_unsafe": "{entity_name} er utrygg", - "condition_type_is_update": "{entity_name} har en tilgjengelig oppdatering", - "entity_name_is_detecting_vibration": "{entity_name} registrerer vibrasjon", - "entity_name_battery_low": "{entity_name} lavt batteri", - "trigger_type_co": "{entity_name} begynte å oppdage karbonmonoksid", - "entity_name_became_cold": "{entity_name} ble kald", - "entity_name_connected": "{entity_name} tilkoblet", - "entity_name_started_detecting_gas": "{entity_name} begynte å registrere gass", - "entity_name_became_hot": "{entity_name} ble varm", - "entity_name_started_detecting_light": "{entity_name} begynte å registrere lys", - "entity_name_locked": "{entity_name} låst", - "entity_name_became_moist": "{entity_name} ble fuktig", - "entity_name_started_detecting_motion": "{entity_name} begynte å registrere bevegelse", - "entity_name_started_moving": "{entity_name} begynte å bevege seg", - "trigger_type_no_co": "{entity_name} sluttet å oppdage karbonmonoksid", - "entity_name_stopped_detecting_gas": "{entity_name} sluttet å registrere gass", - "entity_name_stopped_detecting_light": "{entity_name} sluttet å registrere lys", - "entity_name_stopped_detecting_motion": "{entity_name} sluttet å registrere bevegelse", - "entity_name_stopped_detecting_problem": "{entity_name} sluttet å registrere problem", - "entity_name_stopped_detecting_smoke": "{entity_name} sluttet å registrere røyk", - "entity_name_stopped_detecting_sound": "{entity_name} sluttet å registrere lyd", - "entity_name_stopped_detecting_vibration": "{entity_name} sluttet å registrere vibrasjon", - "entity_name_battery_normal": "{entity_name} batteri normalt", - "entity_name_became_not_cold": "{entity_name} ble ikke lenger kald", - "entity_name_unplugged": "{entity_name} koblet fra", - "entity_name_became_not_hot": "{entity_name} ble ikke lenger varm", - "entity_name_unlocked": "{entity_name} låst opp", - "entity_name_became_dry": "{entity_name} ble tørr", - "entity_name_stopped_moving": "{entity_name} sluttet å bevege seg", - "entity_name_became_not_occupied": "{entity_name} ble ledig", - "entity_name_not_powered": "{entity_name} spenningsløs", - "entity_name_not_present": "{entity_name} ikke til stede", - "trigger_type_not_running": "{entity_name} kjører ikke lenger", - "entity_name_stopped_detecting_tampering": "{entity_name} sluttet å oppdage manipulering", - "entity_name_became_safe": "{entity_name} ble trygg", - "entity_name_became_occupied": "{entity_name} ble opptatt", - "entity_name_plugged_in": "{entity_name} koblet til", - "entity_name_powered": "{entity_name} spenningssatt", - "entity_name_present": "{entity_name} tilstede", - "entity_name_started_detecting_problem": "{entity_name} begynte å registrere et problem", - "entity_name_started_running": "{entity_name} begynte å kjøre", - "entity_name_started_detecting_smoke": "{entity_name} begynte å registrere røyk", - "entity_name_started_detecting_sound": "{entity_name} begynte å registrere lyd", - "entity_name_started_detecting_tampering": "{entity_name} begynte å oppdage manipulering", - "entity_name_became_unsafe": "{entity_name} ble usikker", - "entity_name_started_detecting_vibration": "{entity_name} begynte å oppdage vibrasjon", - "both_buttons": "Begge knappene", - "bottom_buttons": "Nederste knappene", - "seventh_button": "Syvende knapp", - "eighth_button": "Åttende knapp", - "dim_down": "Dimm ned", - "dim_up": "Dimm opp", - "left": "Venstre", - "right": "Høyre", - "top_buttons": "Øverste knappene", - "device_awakened": "Enheten ble vekket", - "trigger_type_remote_button_long_release": "\" {subtype} \" slippes etter lang trykk", - "button_rotated_subtype": "Knappen roterte \"{subtype}\"", - "button_rotated_fast_subtype": "Knappen roterte raskt \"{subtype}\"", - "button_rotation_subtype_stopped": "Knapperotasjon \"{subtype}\" stoppet", - "device_subtype_double_tapped": "Enheten \"{subtype}\" dobbeltklikket", - "trigger_type_remote_double_tap_any_side": "Enheten dobbeltklikket på alle sider", - "device_in_free_fall": "Enheten er i fritt fall", - "device_flipped_degrees": "Enheten er snudd 90 grader", - "device_shaken": "Enhet er ristet", - "trigger_type_remote_moved": "Enheten ble flyttet med \"{subtype}\" opp", - "trigger_type_remote_moved_any_side": "Enheten flyttet med hvilken som helst side opp", - "trigger_type_remote_rotate_from_side": "Enheten rotert fra \"side 6\" til \"{subtype}\"", - "device_turned_clockwise": "Enheten dreide med klokken", - "device_turned_counter_clockwise": "Enheten dreide mot klokken", - "lock_entity_name": "Lås {entity_name}", - "unlock_entity_name": "Lås opp {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} -oppdateringstilgjengeligheten er endret", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2734,16 +2814,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "Ingen enhetsklasse", "no_state_class": "Ingen tilstandsklasse", "no_unit_of_measurement": "Ingen måleenhet", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "Datoen heldagsarrangementet skal starte.", + "create_event": "Opprett hendelse", + "get_events": "Get events", + "list_event": "Liste over hendelser", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Sjekk konfigurasjon", + "reload_all": "Last alt på nytt", + "reload_config_entry_description": "Laster inn oppgitt konfigurasjonsoppføring på nytt.", + "config_entry_id": "Konfigurasjonsoppføring-id", + "reload_config_entry": "Last inn konfigurasjonsoppføring på nytt", + "reload_core_config_description": "Laster inn kjernekonfigurasjonen fra YAML-konfigurasjonen på nytt.", + "reload_core_configuration": "Last inn kjernekonfigurasjon på nytt", + "reload_custom_jinja_templates": "Last inn tilpassede Jinja2-maler på nytt", + "restarts_home_assistant": "Omstarter Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Lagre persisterte tilstander", + "set_location_description": "Oppdaterer posisjonen til Home Assistant.", + "elevation_of_your_location": "Elevasjonen på din lokasjon.", + "latitude_of_your_location": "Breddegrad for din posisjon.", + "longitude_of_your_location": "Lengdegrad for din posisjon.", + "set_location": "Set plassering", + "stops_home_assistant": "Stopper Home Assistant.", + "generic_toggle": "Generell veksling", + "generic_turn_off": "Generell skru av", + "generic_turn_on": "Generell skru på", + "update_entity": "Oppdater entitet", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Senker den nåværende verdien med 1 steg.", + "increment_description": "Øker verdien med 1 steg.", + "sets_the_value": "Setter verdien.", + "the_target_value": "Målverdien.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Utløser", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Omstarter et tillegg.", "the_add_on_slug": "Slug til tillegget.", "restart_add_on": "Omstart tillegg.", @@ -2777,176 +2952,6 @@ "restore_partial_description": "Gjenoppretter fra en delvis sikkerhetskopi.", "restores_home_assistant": "Gjenoppretter Home Assistant.", "restore_from_partial_backup": "Gjenopprett fra en delvis sikkerhetskopi.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Hurtiglager", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "En ordbok som inneholder integrasjonsspesifikke alternativer.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Snakk", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Overgang", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Sjekk konfigurasjon", - "reload_all": "Last alt på nytt", - "reload_config_entry_description": "Laster inn oppgitt konfigurasjonsoppføring på nytt.", - "config_entry_id": "Konfigurasjonsoppføring-id", - "reload_config_entry": "Last inn konfigurasjonsoppføring på nytt", - "reload_core_config_description": "Laster inn kjernekonfigurasjonen fra YAML-konfigurasjonen på nytt.", - "reload_core_configuration": "Last inn kjernekonfigurasjon på nytt", - "reload_custom_jinja_templates": "Last inn tilpassede Jinja2-maler på nytt", - "restarts_home_assistant": "Omstarter Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Lagre persisterte tilstander", - "set_location_description": "Oppdaterer posisjonen til Home Assistant.", - "elevation_of_your_location": "Elevasjonen på din lokasjon.", - "latitude_of_your_location": "Breddegrad for din posisjon.", - "longitude_of_your_location": "Lengdegrad for din posisjon.", - "set_location": "Set plassering", - "stops_home_assistant": "Stopper Home Assistant.", - "generic_toggle": "Generell veksling", - "generic_turn_off": "Generell skru av", - "generic_turn_on": "Generell skru på", - "update_entity": "Oppdater entitet", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "Datoen heldagsarrangementet skal starte.", - "create_event": "Opprett hendelse", - "get_events": "Get events", - "list_event": "Liste over hendelser", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filnavn", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", - "apply_description": "Activates a scene with configuration.", - "entities_description": "List of entities and their target state.", - "entities_state": "Entities state", - "apply": "Apply", - "creates_a_new_scene": "Creates a new scene.", - "scene_id_description": "The entity ID of the new scene.", - "scene_entity_id": "Scene entity ID", - "snapshot_entities": "Snapshot entities", - "delete_description": "Sletter en dynamisk opprettet scene.", - "activates_a_scene": "Activates a scene.", - "turns_auxiliary_heater_on_off": "Skrur tilleggsvarmer av/på.", - "aux_heat_description": "Navn på tilleggsvarmer.", - "auxiliary_heating": "Tilleggsvarme", - "turn_on_off_auxiliary_heater": "Slå av/på tilleggsvarmer", - "sets_fan_operation_mode": "Setter driftsmodus for vifte.", - "fan_operation_mode": "Driftsmodus for vifte.", - "set_fan_mode": "Sett viftemodus", - "sets_target_humidity": "Setter mål for luftfuktighet.", - "set_target_humidity": "Sett mål for luftfuktighet", - "sets_hvac_operation_mode": "Setter driftsmodus for HVAC.", - "hvac_operation_mode": "Driftsmodus for HVAC.", - "hvac_mode": "HVAC-modus", - "set_hvac_mode": "Sett driftsmodus for HVAC", - "sets_preset_mode": "Setter forhåndsinnstilt modus.", - "set_preset_mode": "Sett forhåndsinnstilt modus", - "sets_swing_operation_mode": "Setter driftsmodus for svinging.", - "swing_operation_mode": "Driftsmodus for svinging.", - "set_swing_mode": "Sett svingemodus", - "sets_target_temperature": "Setter måltemperatur.", - "high_target_temperature": "Høy måltemperatur.", - "target_temperature_high": "Måltemperatur høy", - "low_target_temperature": "Lav måltemperatur.", - "target_temperature_low": "Måltemperatur lav", - "set_target_temperature": "Set måltemperatur", - "turns_climate_device_off": "Slår av klimaenheten.", - "turns_climate_device_on": "Slår på klimaenheten.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", "clears_the_playlist": "Clears the playlist.", "clear_playlist": "Clear playlist", "selects_the_next_track": "Selects the next track.", @@ -2964,7 +2969,6 @@ "select_sound_mode": "Select sound mode", "select_source": "Select source", "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", "unjoin": "Unjoin", "turns_down_the_volume": "Turns down the volume.", "turn_down_volume": "Turn down volume", @@ -2975,193 +2979,14 @@ "set_volume": "Set volume", "turns_up_the_volume": "Turns up the volume.", "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Emne til å lytte på.", - "topic": "Emne", - "export": "Eksport", - "publish_description": "Publiserer en melding til et MQTT-emne.", - "the_payload_to_publish": "Nyttelasten som skal publiseres.", - "payload": "Nyttelast", - "payload_template": "Mal for nyttelast", - "qos": "QoS", - "retain": "Bevar", - "topic_to_publish_to": "Emne for publisering.", - "publish": "Publiser", - "brightness_value": "Brightness value", - "a_human_readable_color_name": "A human-readable color name.", - "color_name": "Color name", - "color_temperature_in_mireds": "Color temperature in mireds.", - "light_effect": "Light effect.", - "flash": "Blink", - "hue_sat_color": "Hue/Sat color", - "color_temperature_in_kelvin": "Color temperature in Kelvin.", - "profile_description": "Navn på lysprofilen som skal brukes.", - "white_description": "Set lyset i hvit-modus.", - "xy_color": "XY-farge", - "turn_off_description": "Turn off one or more lights.", - "brightness_step_description": "Change brightness by an amount.", - "brightness_step_value": "Brightness step value", - "brightness_step_pct_description": "Change brightness by a percentage.", - "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Utløser", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Velger det første alternativet.", - "first": "Først", - "selects_the_last_option": "Velger det siste alternativet.", - "selects_the_next_option": "Selects the next option.", - "cycle": "Sykle", - "selects_an_option": "Velger et alternativ.", - "option_to_be_selected": "Alternativ som velges.", - "selects_the_previous_option": "Velger det forrige alternativet.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Varslings-id", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Velger det neste alternativ.", - "sets_the_options": "Setter alternativene.", - "list_of_options": "Liste av alternativer.", - "set_options": "Sett alternativer", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Veksler hjelperen av/på.", - "turns_off_the_helper": "Skrur av hjelperen.", - "turns_on_the_helper": "Skrur på hjelperen.", - "decrement_description": "Senker den nåværende verdien med 1 steg.", - "increment_description": "Øker verdien med 1 steg.", - "sets_the_value": "Setter verdien.", - "the_target_value": "Målverdien.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", "apply_filter": "Apply filter", "days_to_keep": "Days to keep", "repack": "Repack", "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", - "reload_themes_description": "Laster inn temaer fra YAML-konfigurasjonen på nytt.", - "reload_themes": "Last inn temaer på nytt", - "name_of_a_theme": "Navn på et tema.", - "set_the_default_theme": "Sett standardtema", - "decrements_a_counter": "Reduserer en teller.", - "increments_a_counter": "Øker en teller.", - "resets_a_counter": "Nullstiller en teller.", - "sets_the_counter_value": "Stiller inn tellerverdien.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Aktiver med tilpasset overstyring", - "alarm_arm_vacation_description": "Setter alarmen til: _aktivert for ferie_.", - "disarms_the_alarm": "Deaktiverer alarmen.", - "alarm_trigger_description": "Aktiverer en ekstern alarmutløser.", - "get_weather_forecast": "Hent værvarsel.", - "type_description": "Værvarselstype: daglig, timebasert eller to ganger daglig.", - "forecast_type": "Værvarselstype", - "get_forecast": "Hent værvarsel", - "get_weather_forecasts": "Hent værvarsler.", - "get_forecasts": "Hent værvarsler", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", "decrease_speed_description": "Decreases the speed of the fan.", "percentage_step_description": "Increases the speed by a percentage step.", "decrease_speed": "Decrease speed", @@ -3176,38 +3001,282 @@ "speed_of_the_fan": "Viftens hastighet.", "percentage": "Prosentandel", "set_speed": "Set speed", + "sets_preset_mode": "Setter forhåndsinnstilt modus.", + "set_preset_mode": "Sett forhåndsinnstilt modus", "toggles_the_fan_on_off": "Toggles the fan on/off.", "turns_fan_off": "Turns fan off.", "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Trykk på knappen.", - "bridge_identifier": "Bridge identifier", - "configuration_payload": "Configuration payload", - "entity_description": "Represents a specific device endpoint in deCONZ.", - "path": "Bane", - "configure": "Configure", - "device_refresh_description": "Refreshes available devices from deCONZ.", - "device_refresh": "Device refresh", - "remove_orphaned_entries": "Remove orphaned entries", + "apply_description": "Activates a scene with configuration.", + "entities_description": "List of entities and their target state.", + "entities_state": "Entities state", + "transition": "Transition", + "apply": "Apply", + "creates_a_new_scene": "Creates a new scene.", + "scene_id_description": "The entity ID of the new scene.", + "scene_entity_id": "Scene entity ID", + "snapshot_entities": "Snapshot entities", + "delete_description": "Sletter en dynamisk opprettet scene.", + "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Velger det neste alternativ.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Setter alternativene.", + "list_of_options": "Liste av alternativer.", + "set_options": "Sett alternativer", "closes_a_valve": "Closes a valve.", "opens_a_valve": "Opens a valve.", "set_valve_position_description": "Moves a valve to a specific position.", "stops_the_valve_movement": "Stops the valve movement.", "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Aktiver med tilpasset overstyring", + "alarm_arm_vacation_description": "Setter alarmen til: _aktivert for ferie_.", + "disarms_the_alarm": "Deaktiverer alarmen.", + "alarm_trigger_description": "Aktiverer en ekstern alarmutløser.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Trykk på knappen.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Språk for tekst til talegenerering.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Varslings-id", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", + "turns_auxiliary_heater_on_off": "Skrur tilleggsvarmer av/på.", + "aux_heat_description": "Navn på tilleggsvarmer.", + "auxiliary_heating": "Tilleggsvarme", + "turn_on_off_auxiliary_heater": "Slå av/på tilleggsvarmer", + "sets_fan_operation_mode": "Setter driftsmodus for vifte.", + "fan_operation_mode": "Driftsmodus for vifte.", + "set_fan_mode": "Sett viftemodus", + "sets_target_humidity": "Setter mål for luftfuktighet.", + "set_target_humidity": "Sett mål for luftfuktighet", + "sets_hvac_operation_mode": "Setter driftsmodus for HVAC.", + "hvac_operation_mode": "Driftsmodus for HVAC.", + "set_hvac_mode": "Sett driftsmodus for HVAC", + "sets_swing_operation_mode": "Setter driftsmodus for svinging.", + "swing_operation_mode": "Driftsmodus for svinging.", + "set_swing_mode": "Sett svingemodus", + "sets_target_temperature": "Setter måltemperatur.", + "high_target_temperature": "Høy måltemperatur.", + "target_temperature_high": "Måltemperatur høy", + "low_target_temperature": "Lav måltemperatur.", + "target_temperature_low": "Måltemperatur lav", + "set_target_temperature": "Set måltemperatur", + "turns_climate_device_off": "Slår av klimaenheten.", + "turns_climate_device_on": "Slår på klimaenheten.", "add_event_description": "Adds a new calendar event.", "calendar_id_description": "The id of the calendar you want.", "calendar_id": "Calendar ID", "description_description": "The description of the event. Optional.", "summary_description": "Acts as the title of the event.", "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Turn off one or more lights.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Emne til å lytte på.", + "topic": "Emne", + "export": "Eksport", + "publish_description": "Publiserer en melding til et MQTT-emne.", + "the_payload_to_publish": "Nyttelasten som skal publiseres.", + "payload": "Nyttelast", + "payload_template": "Mal for nyttelast", + "qos": "QoS", + "retain": "Bevar", + "topic_to_publish_to": "Emne for publisering.", + "publish": "Publiser", + "selects_the_next_option": "Selects the next option.", "ptz_move_description": "Move the camera with a specific speed.", "ptz_move_speed": "PTZ move speed.", "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", + "reload_themes_description": "Laster inn temaer fra YAML-konfigurasjonen på nytt.", + "reload_themes": "Last inn temaer på nytt", + "name_of_a_theme": "Navn på et tema.", + "set_the_default_theme": "Sett standardtema", + "toggles_the_helper_on_off": "Veksler hjelperen av/på.", + "turns_off_the_helper": "Skrur av hjelperen.", + "turns_on_the_helper": "Skrur på hjelperen.", + "decrements_a_counter": "Reduserer en teller.", + "increments_a_counter": "Øker en teller.", + "resets_a_counter": "Nullstiller en teller.", + "sets_the_counter_value": "Stiller inn tellerverdien.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", + "get_weather_forecast": "Hent værvarsel.", + "type_description": "Værvarselstype: daglig, timebasert eller to ganger daglig.", + "forecast_type": "Værvarselstype", + "get_forecast": "Hent værvarsel", + "get_weather_forecasts": "Hent værvarsler.", + "get_forecasts": "Hent værvarsler", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filnavn", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Hurtiglager", + "options_description": "En ordbok som inneholder integrasjonsspesifikke alternativer.", + "say_a_tts_message": "Say a TTS message", + "speak": "Snakk", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", "set_datetime_description": "Setter datoen og/eller tiden.", "the_target_date": "Måldatoen.", "datetime_description": "Målverdien for dato og tid.", "date_time": "Dato & tid", - "the_target_time": "Måltiden." + "the_target_time": "Måltiden.", + "bridge_identifier": "Bridge identifier", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Bane", + "configure": "Configure", + "device_refresh_description": "Refreshes available devices from deCONZ.", + "device_refresh": "Device refresh", + "remove_orphaned_entries": "Remove orphaned entries", + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/nl/nl.json b/packages/core/src/hooks/useLocale/locales/nl/nl.json index c48d8eb..7e1d11f 100644 --- a/packages/core/src/hooks/useLocale/locales/nl/nl.json +++ b/packages/core/src/hooks/useLocale/locales/nl/nl.json @@ -10,7 +10,7 @@ "to_do_lists": "Takenlijsten", "developer_tools": "Ontwikkelhulpmiddelen", "media": "Media", - "profile": "Profiel", + "profile": "Profile", "panel_shopping_list": "Boodschappenlijst", "unknown": "Onbekend", "unavailable": "Niet beschikbaar", @@ -23,8 +23,8 @@ "pend": "Afwachten", "arming": "Schakelt in", "trig": "Actief", - "home": "Home", - "away": "Away", + "home": "Thuis", + "away": "Afwezig", "owner": "Eigenaar", "administrators": "Beheerders", "users": "Gebruikers", @@ -69,7 +69,7 @@ "action_to_target": "{action} tot doel", "target": "Bestemming", "humidity_target": "Vochtigheidsdoel", - "increment": "Verhoging", + "increment": "Verhogen", "decrement": "Verlagen", "reset": "Resetten", "position": "Position", @@ -79,7 +79,7 @@ "open_cover_tilt": "Open bedekking kanteling", "close_cover_tilt": "Sluit bedekking kanteling", "stop_cover": "Stop bedekking", - "preset_mode": "Vooraf ingestelde modus", + "preset_mode": "Vooraf ingestelde mode", "oscillate": "Oscilleer", "direction": "Richting", "forward": "Vooruit", @@ -95,7 +95,7 @@ "resume_mowing": "Maaien hervatten", "start_mowing": "starten met maaien", "return_to_dock": "Keer terug naar dock", - "brightness": "Helderheid", + "brightness": "Brightness", "color_temperature": "Kleurtemperatuur", "white_brightness": "Witwaarde", "color_brightness": "Kleurhelderheid", @@ -107,7 +107,8 @@ "open": "Open", "open_door": "Open door", "really_open": "Open deur?", - "door_open": "Deur open", + "done": "Klaar", + "ui_card_lock_open_door_success": "Deur open", "source": "Bron", "sound_mode": "Geluidsmodus", "browse_media": "Bladeren in media", @@ -139,7 +140,7 @@ "installing_progress": "Installeren ({progress}%)", "up_to_date": "Up-to-date", "empty_value": "(geen waarde)", - "start": "Start", + "start": "Starten", "finish": "Voltooien", "resume_cleaning": "Schoonmaken hervatten", "start_cleaning": "Schoonmaken starten", @@ -173,7 +174,7 @@ "day": "Dag", "forecast": "Voorspelling", "forecast_daily": "Voorspelling elke dag", - "forecast_hourly": "Voorspelling elk uur", + "forecast_hourly": "Verwachting per uur", "forecast_twice_daily": "Voorspelling twee keer per dag", "daily": "Dagelijks", "hourly": "Uurlijks", @@ -184,6 +185,7 @@ "loading": "Bezig met laden…", "refresh": "Vernieuwen", "delete": "Verwijderen", + "delete_all": "Verwijder alles", "download": "Download", "duplicate": "Dupliceren", "hide": "Verbergen", @@ -222,6 +224,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload mislukt", "unknown_file": "Onbekend bestand", + "select_image": "Afbeelding selecteren", + "upload_picture": "Afbeelding uploaden", + "image_url": "Lokaal pad of web-URL", "latitude": "Breedtegraad", "longitude": "Lengtegraad", "radius": "Straal", @@ -232,9 +237,10 @@ "boolean": "Boolean", "condition": "Conditie", "date": "Datum", - "date_and_time": "Datum en tijd", + "date_time": "Datum en tijd", "duration": "Duur", "entity": "Entiteit", + "floor": "Verdieping", "icon": "Pictogram", "location": "Locatie", "track": "Nummer", @@ -273,6 +279,7 @@ "was_opened": "geopend", "was_closed": "gesloten", "is_opening": "aan het openen", + "is_opened": "is geopend", "is_closing": "aan het sluiten", "was_unlocked": "ontgrendeld", "was_locked": "vergrendeld", @@ -299,7 +306,7 @@ "entity_picker_no_entities": "Je hebt geen entiteiten", "no_matching_entities_found": "Geen overeenkomende entiteiten gevonden", "show_entities": "Geef entiteiten weer", - "create_a_new_entity": "Maak een nieuwe entiteit", + "create_a_new_entity": "Een nieuwe entiteit aanmaken", "show_attributes": "Toon attributen", "expand": "Uitbreiden", "target_picker_expand_floor_id": "Splits deze verdieping op in aparte ruimtes.", @@ -312,19 +319,23 @@ "choose_area": "Ruimte kiezen", "choose_device": "Apparaat kiezen", "choose_entity": "Entiteit kiezen", - "choose_label": "Kies label", + "choose_label": "Label kiezen", "filters": "Filters", - "show_number_results": "toon {number} resultaten", - "clear_filter": "Verwijder filter", - "close_filters": "Sluit filters", - "exit_selection_mode": "Verlaat selectie modus", - "enter_selection_mode": "Activeer selectie modus", - "sort_by_sortcolumn": "Sorteer op {sortColumn}", + "show_number_results": "{number} resultaten weergeven", + "clear_filter": "Filter wissen", + "close_filters": "Filters sluiten", + "exit_selection_mode": "Selectiemodus verlaten", + "enter_selection_mode": "Selectiemodus openen", + "sort_by_sortcolumn": "Sorteren op {sortColumn}", "group_by_groupcolumn": "Groeperen op {groupColumn}", "don_t_group": "Niet groeperen", + "collapse_all": "Alles inklappen", + "expand_all": "Alles uitklappen", "selected_selected": "Geselecteerd {selected}", - "select_all": "Selecteer alles", - "select_none": "Selecteer geen", + "close_selection_mode": "Selectiemodus sluiten", + "select_all": "Alles selecteren", + "select_none": "Niets selecteren", + "customize_table": "Tabel aanpassen", "conversation_agent": "Gespreksagent", "none": "Geen", "country": "Land", @@ -354,11 +365,11 @@ "no_matching_categories_found": "Geen overeenkomende categorieën gevonden", "add_dialog_text": "Voer de naam van de nieuwe categorie in.", "failed_to_create_category": "Kan categorie niet maken.", - "show_labels": "Toon labels", + "show_labels": "Labels weergeven", "label": "Label", "labels": "Labels", "add_label": "Label toevoegen", - "add_new_label_name": "Nieuwe label '' {name} '' toevoegen", + "add_new_label_name": "Nieuw label '' {name} '' toevoegen", "add_new_label": "Nieuw label toevoegen...", "label_picker_no_labels": "Je hebt geen labels", "no_matching_labels_found": "Geen overeenkomende labels gevonden", @@ -372,7 +383,6 @@ "ui_components_area_picker_add_dialog_text": "Voer de naam van de nieuwe ruimte in.", "ui_components_area_picker_add_dialog_title": "Nieuwe ruimte toevoegen", "show_floors": "Toon verdiepingen", - "floor": "Verdieping", "add_new_floor_name": "Nieuwe verdieping ''{name}'' toevoegen", "add_new_floor": "Voeg nieuwe verdieping toe...", "floor_picker_no_floors": "Je hebt geen verdiepingen", @@ -450,6 +460,9 @@ "last_month": "Vorige maand", "this_year": "Dit jaar", "last_year": "Vorig jaar", + "reset_to_default_size": "Standaardformaat terugzetten", + "number_of_columns": "Aantal kolommen", + "number_of_rows": "Aantal rijen", "never": "Nooit", "history_integration_disabled": "Geschiedenisintegratie uitgeschakeld", "loading_state_history": "Statusgeschiedenis laden…", @@ -481,6 +494,10 @@ "filtering_by": "Filteren op", "number_hidden": "{number} verborgen", "ungrouped": "Niet gegroepeerd", + "customize": "Aanpassen", + "hide_column_title": "Verberg kolom {title}", + "show_column_title": "Toon kolom {title}", + "restore_defaults": "Standaardinstellingen terugzetten", "message": "Bericht", "gender": "Geslacht", "male": "Man", @@ -691,7 +708,7 @@ "elevation": "Hoogte", "rising": "Opkomst", "setting": "Ondergang", - "read_release_announcement": "Release-aankondiging lezen", + "read_release_announcement": "Uitgave-aankondiging lezen", "clear_skipped": "Overgeslagen wissen", "create_backup_before_updating": "Voor het updaten een back-up maken", "update_instructions": "Instructies bijwerken", @@ -707,7 +724,7 @@ "switch_to_position_mode": "Naar positie-modus wisselen", "people_in_zone": "Mensen binnen zone", "edit_favorite_colors": "Favoriete kleuren bewerken", - "color": "Kleur", + "color": "Color", "set_white": "Wit instellen", "select_effect": "Selecteer effect", "change_color": "Verander kleur", @@ -811,7 +828,7 @@ "more_info_about_entity": "Meer info over entiteit", "restart_home_assistant": "Home Assistant herstarten?", "advanced_options": "Advanced options", - "reload_description": "Herlaadt helpers vanuit de YAML-configuratie.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Configuratie herladen", "failed_to_reload_configuration": "Kan de configuratie niet opnieuw laden", "restart_description": "Onderbreekt alle lopende automatiseringen en scripts.", @@ -919,7 +936,7 @@ "reasons_docker": "De Docker-omgeving werkt niet goed", "detected_untrusted_content": "Niet-vertrouwde inhoud gedetecteerd", "join_the_beta_channel": "Word lid van het bètakanaal", - "join_beta_channel_release_items": "Dit is inclusief beta releases voor:", + "join_beta_channel_release_items": "Dit omvat bètaversies voor:", "view_documentation": "Bekijk documentatie", "join": "Samenvoegen", "enter_code": "Code invoeren", @@ -950,7 +967,7 @@ "link_matter_app": "Verbind Matter app", "tap_linked_matter_apps_services": "Tik op {linked_matter_apps_services}.", "google_home_linked_matter_apps_services": "Verbonden Matter apps en services.", - "link_apps_services": "Koppel apps & services", + "link_apps_services": "Apps en services koppelen", "copy_pairing_code": "Kopieer koppelcode", "use_pairing_code": "Gebruik koppelcode", "pairing_code": "Koppelcode", @@ -989,7 +1006,6 @@ "notification_toast_no_matching_link_found": "Geen My-link gevonden voor {path}", "app_configuration": "Appconfiguratie", "sidebar_toggle": "Zijbalk in- en uitschakelen", - "done": "Klaar", "hide_panel": "Paneel verbergen", "show_panel": "Toon paneel", "show_more_information": "Toon meer informatie", @@ -1085,9 +1101,11 @@ "view_configuration": "Configuratie weergeven", "name_view_configuration": "{name} Bekijk de configuratie", "add_view": "Weergave toevoegen", + "background_title": "Achtergrond aan de weergave toevoegen", "edit_view": "Weergave bewerken", "move_view_left": "Verplaats weergave naar links", "move_view_right": "Verplaats weergave naar rechts", + "background": "Achtergrond", "badges": "Badges", "view_type": "Weergavetype", "masonry_default": "Tegelvorm (standaard)", @@ -1097,7 +1115,7 @@ "subview": "Subweergave", "max_number_of_columns": "Maximaal aantal kolommen", "edit_in_visual_editor": "Bewerken in visuele editor", - "edit_in_yaml": "Bewerken als YAML", + "edit_in_yaml": "Bewerken in YAML", "saving_failed": "Opslaan mislukt", "ui_panel_lovelace_editor_edit_view_type_helper_others": "U kunt uw weergave niet wijzigen naar een ander type omdat de migratie nog niet wordt ondersteund. Begin helemaal opnieuw met een nieuwe weergave als u een ander weergavetype wilt gebruiken.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "U kunt uw weergave niet wijzigen om het weergavetype 'secties' te gebruiken, omdat de migratie nog niet wordt ondersteund. Begin helemaal opnieuw met een nieuwe weergave als u wilt experimenteren met de weergave 'secties'.", @@ -1119,6 +1137,8 @@ "increase_card_position": "Kaartpositie verhogen", "more_options": "Meer opties", "search_cards": "Zoek kaarten", + "config": "Configuratie", + "layout": "Lay-out", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Welke kaart wil je toevoegen aan je {name}-weergave?", "move_card_error_title": "Kaart verplaatsen niet mogelijk", "choose_a_view": "Kies een weergave", @@ -1137,8 +1157,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} en alle bijbehorende kaarten worden verwijderd.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} wordt verwijderd.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Deze sectie", - "edit_name": "Naam bewerken", - "add_name": "Naam toevoegen", + "edit_section": "Sectie bewerken", "suggest_card_header": "We hebben een suggestie voor je gemaakt", "pick_different_card": "Kies een andere kaart", "add_to_dashboard": "Toevoegen aan dashboard", @@ -1159,8 +1178,8 @@ "condition_did_not_pass": "Niet voldaan aan voorwaarde", "invalid_configuration": "Ongeldige configuratie", "entity_numeric_state": "Numerieke status", - "top": "Boven", - "below": "Onder", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Schermformaten", "mobile": "Mobiel", @@ -1289,38 +1308,38 @@ "cover_tilt": "Bedekking kanteling", "cover_tilt_position": "Bedekkingspositie kanteling", "alarm_modes": "Alarm modi", - "customize_alarm_modes": "Customize alarm modes", + "customize_alarm_modes": "Alarmmodi aanpassen", "light_brightness": "Lichthelderheid", "light_color_temperature": "Kleurtemperatuur licht", - "lock_commands": "Lock commando's", - "lock_open_door": "Lock open deur", + "lock_commands": "Vergrendel-opdrachten", + "lock_open_door": "Open deur vergrendelen", "vacuum_commands": "Stofzuiger commando's", "commands": "Commando's", "climate_fan_modes": "Klimaat ventilator modi", "style": "Stijl", "dropdown": "Dropdownmenu", - "icons": "Iconen", - "customize_fan_modes": "Customize fan modes", + "icons": "Pictogrammen", + "customize_fan_modes": "Ventilatormodi aanpassen", "fan_modes": "Ventilator modi", "climate_swing_modes": "Klimaat swing modi", "swing_modes": "Swingmodes", - "customize_swing_modes": "Customize swing modes", + "customize_swing_modes": "Uitblaasrichting-modi aanpassen", "climate_hvac_modes": "Klimaat HVAC modi", "hvac_modes": "HVAC modes", - "customize_hvac_modes": "Customize HVAC modes", + "customize_hvac_modes": "Klimaatbeheersing-modi aanpassen", "climate_preset_modes": "Vooraf ingestelde klimaatmodi", - "customize_preset_modes": "Customize preset modes", + "customize_preset_modes": "Voorinstelling-modi aanpassen", "preset_modes": "Vooraf ingestelde modi", "fan_preset_modes": "Vooraf ingestelde ventilatormodi", "humidifier_toggle": "Luchtbevochtiger schakelaar", "humidifier_modes": "Luchtbevochtiger modi", - "customize_modes": "Customize modes", + "customize_modes": "Modi aanpassen", "select_options": "Keuzeopties", - "customize_options": "Customize options", + "customize_options": "Opties aanpassen", "input_number": "Numerieke invoer", "water_heater_operation_modes": "Waterverwarmer bedrijfsmodi", "operation_modes": "Bedrijfsmodi", - "customize_operation_modes": "Customize operation modes", + "customize_operation_modes": "Bedieningsmodi aanpassen", "update_actions": "Update acties", "backup": "Back-up", "ask": "Vraag", @@ -1347,182 +1366,128 @@ "ui_panel_lovelace_editor_color_picker_colors_pink": "Roze", "ui_panel_lovelace_editor_color_picker_colors_teal": "Groenblauw", "ui_panel_lovelace_editor_color_picker_default_color": "Standaardkleur (status)", + "ui_panel_lovelace_editor_edit_section_title_title": "Naam bewerken", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Naam toevoegen", "warning_attribute_not_found": "Kenmerk {attribute} niet beschikbaar in: {entity}", "entity_not_available_entity": "Entiteit is niet beschikbaar: {entity}", "entity_is_non_numeric_entity": "Entiteit is niet-numeriek: {entity}", "warning_entity_unavailable": "Entiteit is momenteel niet beschikbaar: {entity}", "invalid_timestamp": "Ongeldige tijdstempel", "invalid_display_format": "Ongeldige weergaveformaat", + "now": "Nu", "compare_data": "Gegevens vergelijken", "reload_ui": "Herlaad Lovelace", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Schakelaar", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Groep", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schema", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Raambekleding", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Boolean invoer", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversatie", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Raambekleding", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarmbedieningspaneel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventilator", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Apparaattracker", + "trace": "Trace", + "stream": "Stream", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Boolean invoer", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Voer datum en tijd in", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tag", + "diagnostics": "Diagnostiek", + "siren": "Sirene", + "fitbit": "Fitbit", + "automation": "Automatisering", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assistent-pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Klimaat", + "conversation": "Conversatie", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Bestandsgrootte", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Applicatie inloggegevens", - "local_calendar": "Lokale agenda", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Tekstinvoer", - "rpi_power_title": "Raspberry Pi Voeding Checker", - "weather": "Weer", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Groep", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schema", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Afstandsbediening", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Voeding Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Schakelaar", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Apparaattracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weer", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Afstandsbediening", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "Binaire sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilator", + "scene": "Scene", + "input_select": "Invoer selectie", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Gebeurtenis", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Gebeurtenis", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Klimaat", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Teller", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobiele app", - "diagnostics": "Diagnostiek", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tag", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirene", - "input_select": "Invoer selectie", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Applicatie inloggegevens", "logger": "Logger", - "assist_pipeline": "Assistent-pipeline", - "automation": "Automatisering", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Teller", - "binary_sensor": "Binaire sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent-versie", - "apparmor_version": "Apparmor-versie", - "cpu_percent": "CPU-percentage", - "disk_free": "Schijfruimte vrij", - "disk_total": "Schijfruimte totaal", - "disk_used": "Schijfruimte gebruikt", - "memory_percent": "Geheugenpercentage", - "version": "Versie", - "newest_version": "Nieuwste versie", + "local_calendar": "Lokale agenda", "synchronize_devices": "Apparaten synchroniseren", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Verbruik vandaag", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Totaal verbruik", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Luchtkwaliteitsindex", - "illuminance": "Verlichtingssterkte", - "noise": "Noise", - "overload": "Overbelast", - "voltage": "Spanning", - "estimated_distance": "Geschatte afstand", - "vendor": "Leverancier", - "assist_in_progress": "Assistent bezig met verwerken", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Ruisonderdrukking", - "noise_suppression_level": "Noise suppression level", - "off": "Uit", - "preferred": "Voorkeur", - "mute": "Mute", - "satellite_enabled": "Satelliet ingeschakeld", - "ding": "Ding", - "doorbell_volume": "Deurbel volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Batterijniveau", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Klaar met spraakdetectie", - "aggressive": "Agressief", - "default": "Standaard", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Stil", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Zwaar", "mild": "Mild", "button_down": "Button down", @@ -1542,14 +1507,48 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Ingeplugd", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", + "battery_level": "Batterijniveau", + "os_agent_version": "OS Agent-versie", + "apparmor_version": "Apparmor-versie", + "cpu_percent": "CPU-percentage", + "disk_free": "Schijfruimte vrij", + "disk_total": "Schijfruimte totaal", + "disk_used": "Schijfruimte gebruikt", + "memory_percent": "Geheugenpercentage", + "version": "Versie", + "newest_version": "Nieuwste versie", + "next_dawn": "Volgende dageraad", + "next_dusk": "Volgende schemering", + "next_midnight": "Volgende middernacht", + "next_noon": "Volgende middag", + "next_rising": "Volgende opkomst", + "next_setting": "Volgende ondergang", + "solar_azimuth": "Azimut zon", + "solar_elevation": "Elevatie zon", + "solar_rising": "Zonne-energie toename", + "compressor_energy_consumption": "Compressor energieverbruik", + "compressor_estimated_power_consumption": "Compressor geschat energieverbruik", + "compressor_frequency": "Compressorfrequentie", + "cool_energy_consumption": "Koelen energieverbruik", + "heat_energy_consumption": "Warmte energieverbruik", + "inside_temperature": "Binnentemperatuur", + "outside_temperature": "Buitentemperatuur", + "assist_in_progress": "Assistent bezig met verwerken", + "preferred": "Voorkeur", + "finished_speaking_detection": "Klaar met spraakdetectie", + "aggressive": "Agressief", + "default": "Standaard", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Ingeplugd", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1565,33 +1564,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Bewegingsdetectie", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energieverbruik", - "compressor_estimated_power_consumption": "Compressor geschat energieverbruik", - "compressor_frequency": "Compressorfrequentie", - "cool_energy_consumption": "Koelen energieverbruik", - "heat_energy_consumption": "Warmte energieverbruik", - "inside_temperature": "Binnentemperatuur", - "outside_temperature": "Buitentemperatuur", - "next_dawn": "Volgende dageraad", - "next_dusk": "Volgende schemering", - "next_midnight": "Volgende middernacht", - "next_noon": "Volgende middag", - "next_rising": "Volgende opkomst", - "next_setting": "Volgende ondergang", - "solar_azimuth": "Azimut zon", - "solar_elevation": "Elevatie zon", - "solar_rising": "Zonne-energie toename", - "calibration": "Kalibratie", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Time-out", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Lichtsterkte", - "wi_fi_signal": "Wi-Fi signaal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update beschikbaar", + "dry": "Drogen", + "wet": "Nat", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Verbruik vandaag", + "total_consumption": "Totaal verbruik", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signaalsterkte", + "signal_level": "Signaalniveau", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Spanning", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Soepele overgangen", + "process_process": "Proces {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Schijfgebruik {mount_point}", + "ipv_address_ip_address": "IPv6-adres {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Geheugengebruik", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processortemperatuur", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Geschatte afstand", + "vendor": "Leverancier", + "air_quality_index": "Luchtkwaliteitsindex", + "illuminance": "Verlichtingssterkte", + "noise": "Noise", + "overload": "Overbelast", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Dier", + "detected": "Gedetecteerd", "animal_lens": "Dier lens 1", "face": "Gezicht", "face_lens": "Gezicht lens 1", @@ -1601,6 +1653,9 @@ "person_lens": "Persoon lens 1", "pet": "Huisdier", "pet_lens": "Huisdier lens 1", + "sleep_status": "Sleep status", + "awake": "Wakker", + "sleep": "Slapen", "vehicle": "Voertuig", "vehicle_lens": "Voertuig lens 1", "visitor": "Bezoeker", @@ -1658,23 +1713,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Beweging gevoeligheid", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Automatisch antwoordbericht", + "off": "Uit", "auto_track_method": "Automatische volgmethode", "digital": "Digitaal", "digital_first": "Digitaal eerst", "pan_tilt_first": "Draaien/kantelen eerst", "day_night_mode": "Dag nacht modus", "black_white": "Black & white", + "doorbell_led": "Deurbel LED", + "always_on": "Always on", + "state_alwaysonatnight": "Automatisch & 's nachts altijd ingeschakeld", + "stay_off": "Blijf uitgeschakeld", "floodlight_mode": "Schijnwerper modus", "adaptive": "Adaptief", "auto_adaptive": "Automatisch en adaptief", "on_at_night": "'s Nachts ingeschakeld", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ favorieten", - "always_on": "Always on", - "state_alwaysonatnight": "Automatisch & 's nachts altijd ingeschakeld", - "stay_off": "Blijf uitgeschakeld", "battery_percentage": "Accupercentage", "battery_state": "Batterijstatus", "charge_complete": "Opladen voltooid", @@ -1688,6 +1746,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ draai positie", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Automatisch focussen", "auto_tracking": "Automatisch volgen", "buzzer_on_event": "Zoemer bij gebeurtenis", @@ -1696,6 +1755,7 @@ "ftp_upload": "FTP uploaden", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1703,86 +1763,92 @@ "record": "Opnemen", "record_audio": "Geluid opnemen", "siren_on_event": "Sirene bij gebeurtenis", - "process_process": "Proces {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Schijfgebruik {mount_point}", - "ipv_address_ip_address": "IPv6-adres {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Geheugengebruik", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processortemperatuur", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS nauwkeurigheid", + "call_active": "Call Active", + "quiet": "Stil", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Ruisonderdrukking", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satelliet ingeschakeld", + "calibration": "Kalibratie", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Time-out", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Lichtsterkte", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Deurbel volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "step": "Stap", + "apparent_power": "Schijnbaar vermogen", + "carbon_dioxide": "Koolstofdioxide", + "data_rate": "Datasnelheid", + "distance": "Afstand", + "stored_energy": "Opgeslagen energie", + "frequency": "Frequentie", + "irradiance": "Bestralingssterkte", + "nitrous_oxide": "Stikstofdioxide", + "ozone": "Ozon", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Vermogensfactor", + "precipitation_intensity": "Neerslagintensiteit", + "reactive_power": "Reactief vermogen", + "sound_pressure": "Geluidsdruk", + "speed": "Snelheid", + "sulphur_dioxide": "Zwaveldioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Opgeslagen volume", + "weight": "Gewicht", + "available_tones": "Beschikbare tonen", + "end_time": "Eindtijd", + "start_time": "Starttijd", + "managed_via_ui": "Beheerd via UI", + "next_event": "Volgende gebeurtenis", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Lopende automatiseringen", - "max_running_scripts": "Max lopende scripts", + "id": "ID", + "max_running_automations": "Max lopende automatiseringen", "run_mode": "Uitvoeringsmodus", "parallel": "Parallel", "queued": "Wachtrij", "single": "Enkelvoudig", - "end_time": "Eindtijd", - "start_time": "Starttijd", - "streaming": "Streamen", - "access_token": "Toegangstoken", - "brand": "Merk", - "stream_type": "Streamtype", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Koelen", - "dry": "Drogen", - "fan_only": "Alleen ventilator", - "heat_cool": "Verwarmen/koelen", - "aux_heat": "Bijverwarming", - "current_humidity": "Huidige luchtvochtigheid", - "current_temperature": "Current Temperature", - "fan_mode": "Ventilatormode", - "diffuse": "Diffuus", - "middle": "Midden", - "current_action": "Huidige actie", - "heating": "Verwarmen", - "preheating": "Voorverwarmen", - "max_target_humidity": "Maximale doelluchtvochtigheid", - "max_target_temperature": "Maximale temperatuur", - "min_target_humidity": "Minimale doelluchtvochtigheid", - "min_target_temperature": "Minimale doeltemperatuur", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Slapen", - "presets": "Voorinstellingen", - "swing_mode": "Swing-modus", - "both": "Beide", - "horizontal": "Horizontaal", - "upper_target_temperature": "Doeltemperatuur bovengrens", - "lower_target_temperature": "Doeltemperatuur ondergrens", - "target_temperature_step": "Doeltemperatuurstap", - "buffering": "Bufferen", - "paused": "Gepauzeerd", - "playing": "Speelt", - "standby": "Stand-by", - "app_id": "App-ID", - "local_accessible_entity_picture": "Lokaal toegankelijke entiteitsafbeelding", - "group_members": "Groepsleden", - "muted": "Gedempt", - "album_artist": "Albumartiest", - "content_id": "Content ID", - "content_type": "Type content", + "not_charging": "Niet aan het opladen", + "disconnected": "Verbroken", + "connected": "Verbonden", + "hot": "Heet", + "no_light": "Geen licht", + "light_detected": "Licht gedetecteerd", + "locked": "Vergrendeld", + "unlocked": "Ontgrendeld", + "not_moving": "Geen beweging", + "unplugged": "Losgekoppeld", + "not_running": "Niet actief", + "safe": "Veilig", + "unsafe": "Onveilig", + "tampering_detected": "Sabotage ontdekt", + "buffering": "Bufferen", + "paused": "Gepauzeerd", + "playing": "Speelt", + "standby": "Stand-by", + "app_id": "App-ID", + "local_accessible_entity_picture": "Lokaal toegankelijke entiteitsafbeelding", + "group_members": "Groepsleden", + "muted": "Gedempt", + "album_artist": "Albumartiest", + "content_id": "Content ID", + "content_type": "Type content", "channels": "Kanalen", "position_updated": "Positie bijgewerkt", "series": "Series", @@ -1793,71 +1859,11 @@ "receiver": "Ontvanger", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Alleen helderheid", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Kleurtemperatuur (mired)", - "color_temperature_kelvin": "Kleurtemperatuur (Kelvin)", - "available_effects": "Beschikbare effecten", - "maximum_color_temperature_kelvin": "Maximale kleurtemperatuur (Kelvin)", - "maximum_color_temperature_mireds": "Maximale kleurtemperatuur (mired)", - "minimum_color_temperature_kelvin": "Minimale kleurtemperatuur (Kelvin)", - "minimum_color_temperature_mireds": "Minimale kleurtemperatuur (mired)", - "available_color_modes": "Beschikbare kleurmodi", - "event_type": "Gebeurtenistype", - "event_types": "Gebeurtenistypes", - "doorbell": "Deurbel", - "available_tones": "Beschikbare tonen", - "locked": "Vergrendeld", - "unlocked": "Ontgrendeld", - "members": "Leden", - "managed_via_ui": "Beheerd via UI", - "id": "ID", - "max_running_automations": "Max lopende automatiseringen", - "finishes_at": "Eindigt om", - "remaining": "Resterend", - "next_event": "Volgende gebeurtenis", - "update_available": "Update beschikbaar", - "auto_update": "Auto update", - "in_progress": "Bezig", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "step": "Stap", - "apparent_power": "Schijnbaar vermogen", - "carbon_dioxide": "Koolstofdioxide", - "data_rate": "Datasnelheid", - "distance": "Afstand", - "stored_energy": "Opgeslagen energie", - "frequency": "Frequentie", - "irradiance": "Bestralingssterkte", - "nitrous_oxide": "Stikstofdioxide", - "ozone": "Ozon", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Vermogensfactor", - "precipitation_intensity": "Neerslagintensiteit", - "reactive_power": "Reactief vermogen", - "signal_strength": "Signaalsterkte", - "sound_pressure": "Geluidsdruk", - "speed": "Snelheid", - "sulphur_dioxide": "Zwaveldioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Opgeslagen volume", - "weight": "Gewicht", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Maximale lengte", - "min_length": "Minimale lengte", - "pattern": "Patroon", + "above_horizon": "Boven de horizon", + "below_horizon": "Onder de horizon", + "oscillating": "Oscillerend", + "speed_step": "Snelheid stap", + "available_preset_modes": "Beschikbare modes", "armed_away": "Ingeschakeld afwezig", "armed_custom_bypass": "Ingeschakeld met overbrugging", "armed_home": "Ingeschakeld thuis", @@ -1869,15 +1875,69 @@ "code_for_arming": "Code voor inschakelen", "not_required": "Niet vereist", "code_format": "Code formaat", + "gps_accuracy": "GPS nauwkeurigheid", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Gebeurtenistype", + "event_types": "Gebeurtenistypes", + "doorbell": "Deurbel", + "device_trackers": "Device trackers", + "max_running_scripts": "Max lopende scripts", + "jammed": "Vastgelopen", + "locking": "Vergrendelen", + "cool": "Koelen", + "fan_only": "Alleen ventilator", + "heat_cool": "Verwarmen/koelen", + "aux_heat": "Bijverwarming", + "current_humidity": "Huidige luchtvochtigheid", + "current_temperature": "Current Temperature", + "fan_mode": "Ventilatormode", + "diffuse": "Diffuus", + "middle": "Midden", + "top": "Boven", + "current_action": "Huidige actie", + "heating": "Verwarmen", + "preheating": "Voorverwarmen", + "max_target_humidity": "Maximale doelluchtvochtigheid", + "max_target_temperature": "Maximale temperatuur", + "min_target_humidity": "Minimale doelluchtvochtigheid", + "min_target_temperature": "Minimale doeltemperatuur", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "presets": "Voorinstellingen", + "swing_mode": "Swing-modus", + "both": "Beide", + "horizontal": "Horizontaal", + "upper_target_temperature": "Doeltemperatuur bovengrens", + "lower_target_temperature": "Doeltemperatuur ondergrens", + "target_temperature_step": "Doeltemperatuurstap", "last_reset": "Laatste reset", "possible_states": "Mogelijke statussen", - "state_class": "Statusklasse", + "state_class": "Statusklasse (state class)", "measurement": "Meting", "total": "Totaal", "total_increasing": "Totaal oplopend", + "conductivity": "Conductivity", "data_size": "Datagrootte", "balance": "Saldo", "timestamp": "Tijdstempel", + "color_mode": "Color Mode", + "brightness_only": "Alleen helderheid", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Kleurtemperatuur (mired)", + "color_temperature_kelvin": "Kleurtemperatuur (Kelvin)", + "available_effects": "Beschikbare effecten", + "maximum_color_temperature_kelvin": "Maximale kleurtemperatuur (Kelvin)", + "maximum_color_temperature_mireds": "Maximale kleurtemperatuur (mired)", + "minimum_color_temperature_kelvin": "Minimale kleurtemperatuur (Kelvin)", + "minimum_color_temperature_mireds": "Minimale kleurtemperatuur (mired)", + "available_color_modes": "Beschikbare kleurmodi", "clear_night": "Helder, nacht", "cloudy": "Bewolkt", "exceptional": "Uitzonderlijk", @@ -1900,61 +1960,80 @@ "uv_index": "UV index", "wind_bearing": "Windrichting", "wind_gust_speed": "Windvlaag snelheid", - "above_horizon": "Boven de horizon", - "below_horizon": "Onder de horizon", - "oscillating": "Oscillerend", - "speed_step": "Snelheid stap", - "available_preset_modes": "Beschikbare modes", - "jammed": "Vastgelopen", - "locking": "Vergrendelen", - "identify": "Identificeren", - "not_charging": "Niet aan het opladen", - "detected": "Gedetecteerd", - "disconnected": "Verbroken", - "connected": "Verbonden", - "hot": "Heet", - "no_light": "Geen licht", - "light_detected": "Licht gedetecteerd", - "wet": "Nat", - "not_moving": "Geen beweging", - "unplugged": "Losgekoppeld", - "not_running": "Niet actief", - "safe": "Veilig", - "unsafe": "Onveilig", - "tampering_detected": "Sabotage ontdekt", + "streaming": "Streamen", + "access_token": "Toegangstoken", + "brand": "Merk", + "stream_type": "Streamtype", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minuut", "second": "Seconde", - "location_is_already_configured": "Locatie is al geconfigureerd", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Ongeldige API-sleutel", - "api_key": "API-sleutel", + "max_length": "Maximale lengte", + "min_length": "Minimale lengte", + "pattern": "Patroon", + "members": "Leden", + "finishes_at": "Eindigt om", + "remaining": "Resterend", + "identify": "Identificeren", + "auto_update": "Auto update", + "in_progress": "Bezig", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Al geconfigureerd. Slechts één configuratie mogelijk.", "user_description": "Wil je beginnen met instellen?", + "device_is_already_configured": "Apparaat is al geconfigureerd", + "re_authentication_was_successful": "Herauthenticatie geslaagd", + "re_configuration_was_successful": "Herconfiguratie was succesvol", + "failed_to_connect": "Kan geen verbinding maken", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Ongeldige authenticatie", + "unexpected_error": "Onverwachte fout", + "username": "Gebruikersnaam", + "host": "Host", + "port": "Poort", "account_is_already_configured": "Account is al geconfigureerd", "abort_already_in_progress": "De configuratie is momenteel al bezig", - "failed_to_connect": "Kan geen verbinding maken", "invalid_access_token": "Ongeldig toegangstoken", "received_invalid_token_data": "Ongeldige tokengegevens ontvangen.", "abort_oauth_failed": "Fout bij het verkrijgen van toegangstoken.", "timeout_resolving_oauth_token": "Time-out bij het verkrijgen OAuth token.", "abort_oauth_unauthorized": "OAuth autorisatiefout tijdens het verkrijgen van een toegangstoken.", - "re_authentication_was_successful": "Herauthenticatie geslaagd", - "timeout_establishing_connection": "Time-out bij het maken van verbinding", - "unexpected_error": "Onverwachte fout", "successfully_authenticated": "Authenticatie geslaagd", - "link_google_account": "Link Google Account", + "link_fitbit": "Linken Fitbit", "pick_authentication_method": "Kies een authenticatie methode", "authentication_expired_for_name": "Authenticatie is verlopen voor {name}", "service_is_already_configured": "Dienst is al geconfigureerd", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Apparaat is al geconfigureerd", - "abort_no_devices_found": "Geen apparaten gevonden op het netwerk", - "connection_error_error": "Verbindingsfout: {error}", - "invalid_authentication_error": "Ongeldige authenticatie: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Gebruikersnaam", - "authenticate": "Authenticeren", - "host": "Host", - "abort_single_instance_allowed": "Al geconfigureerd. Slechts één configuratie mogelijk.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Wil je {name} instellen?", + "adapter": "Adapter", + "multiple_adapters_description": "Selecteer een Bluetooth adapter om in te stellen", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API-sleutel", + "configure_daikin_ac": "Daikin AC instellen", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1970,39 +2049,39 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Ongeldige hostnaam of IP-adres", - "device_not_supported": "Apparaat wordt niet ondersteund", - "name_model_at_host": "{name} ({model} bij {host})", - "authenticate_to_the_device": "Authenticeer naar het apparaat", - "finish_title": "Kies een naam voor het apparaat", - "unlock_the_device": "Ontgrendel het apparaat", - "yes_do_it": "Ja, doe het.", - "unlock_the_device_optional": "Ontgrendel het apparaat (optioneel)", + "cannot_connect_details_error_detail": "Kan geen verbinding maken: {error_detail}", + "unknown_details_error_detail": "Onverwachte fout: {error_detail}", + "uses_an_ssl_certificate": "Maakt gebruik van een SSL-certificaat", + "verify_ssl_certificate": "SSL-certificaat verifiëren", + "timeout_establishing_connection": "Time-out bij het maken van verbinding", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "Geen apparaten gevonden op het netwerk", + "connection_error_error": "Verbindingsfout: {error}", + "invalid_authentication_error": "Ongeldige authenticatie: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticeren", + "device_class": "Apparaatklasse (device class)", + "state_template": "Statussjabloon", + "template_binary_sensor": "Sjabloneer een binaire sensor", + "template_sensor": "Sjabloonsensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Locatie is al geconfigureerd", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Ongeldige API-sleutel", + "pin_code": "Pincode", + "discovered_android_tv": "Android TV ontdekt", + "known_hosts": "Bekende hosts", + "google_cast_configuration": "Google Cast configuratie", + "abort_invalid_host": "Ongeldige hostnaam of IP-adres", + "device_not_supported": "Apparaat wordt niet ondersteund", + "name_model_at_host": "{name} ({model} bij {host})", + "authenticate_to_the_device": "Authenticeer naar het apparaat", + "finish_title": "Kies een naam voor het apparaat", + "unlock_the_device": "Ontgrendel het apparaat", + "yes_do_it": "Ja, doe het.", + "unlock_the_device_optional": "Ontgrendel het apparaat (optioneel)", "connect_to_the_device": "Verbinding maken met het apparaat", - "no_port_for_endpoint": "Geen poort voor het endpoint", - "abort_no_services": "Geen services gevonden op eindpunt", - "port": "Poort", - "discovered_wyoming_service": "Wyoming dienst ontdekt", - "invalid_authentication": "Ongeldige authenticatie", - "two_factor_code": "Twee-factor code", - "two_factor_authentication": "Tweestapsverificatie", - "sign_in_with_ring_account": "Aanmelden met Ring-account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Linken Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Ongeldig `birth` topic", "error_bad_certificate": "Het CA certificaat bestand is ongeldig", "invalid_discovery_prefix": "Ongeldig discovery voorvoegsel", @@ -2026,8 +2105,9 @@ "path_is_not_allowed": "Pad is niet toegestaan", "path_is_not_valid": "Pad is niet geldig", "path_to_file": "Pad naar bestand", - "known_hosts": "Bekende hosts", - "google_cast_configuration": "Google Cast configuratie", + "api_error_occurred": "API-fout opgetreden", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "HTTPS inschakelen", "abort_mdns_missing_mac": "Ontbrekend MAC adres in MDNS eigenschappen.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2035,10 +2115,36 @@ "service_received": "Service ontvangen", "discovered_esphome_node": "ESPHome apparaat ontdekt", "encryption_key": "Encryptiesleutel", + "no_port_for_endpoint": "Geen poort voor het endpoint", + "abort_no_services": "Geen services gevonden op eindpunt", + "discovered_wyoming_service": "Wyoming dienst ontdekt", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Niet-ondersteund Switchbot-type.", + "authentication_failed_error_detail": "Authenticatie mislukt: {error_detail}", + "error_encryption_key_invalid": "Sleutel-ID of encryptiesleutel is ongeldig", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot-account (aanbevolen)", + "menu_options_lock_key": "Voer de encryptiesleutelvoor het slot handmatig in", + "key_id": "Sleutel-ID", + "password_description": "Wachtwoord om de back-up te beveiligen.", + "device_address": "Apparaatadres", + "component_switchbot_config_error_one": "een", + "component_switchbot_config_error_other": "overige", + "meteorologisk_institutt": "Meteorologisch institutt", + "two_factor_code": "Twee-factor code", + "two_factor_authentication": "Tweestapsverificatie", + "sign_in_with_ring_account": "Aanmelden met Ring-account", + "bridge_is_already_configured": "Bridge is al geconfigureerd", + "no_deconz_bridges_discovered": "Geen deCONZ bridges ontdekt", + "abort_no_hardware_available": "Geen radiohardware aangesloten op deCONZ", + "abort_updated_instance": "DeCONZ-instantie bijgewerkt met nieuw host-adres", + "error_linking_not_possible": "Kan geen koppeling maken met de gateway", + "error_no_key": "Kon geen API-sleutel ophalen", + "link_with_deconz": "Koppel met deCONZ", + "select_discovered_deconz_gateway": "Selecteer gevonden deCONZ gateway", "all_entities": "Alle entiteiten", "hide_members": "Verberg leden", "add_group": "Groep toevoegen", - "device_class": "Apparaatklasse", "ignore_non_numeric": "Negeer niet-numeriek", "data_round_digits": "Waarde afronden op aantal decimalen", "type": "Type", @@ -2051,84 +2157,50 @@ "media_player_group": "Mediaspelergroep", "sensor_group": "Sensor groep", "switch_group": "Schakelaargroep", - "name_already_exists": "Naam bestaat al", - "passive": "Passief", - "define_zone_parameters": "Definieer zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Herconfiguratie was succesvol", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Apparaat wordt beter ondersteund door een andere integratie", "abort_discovery_error": "Kan geen overeenkomend DLNA-apparaat vinden", "abort_incomplete_config": "Configuratie mist een vereiste variabele", "manual_description": "URL naar een XML-bestand met apparaatbeschrijvingen", "manual_title": "Handmatige DLNA DMR-apparaatverbinding", "discovered_dlna_dmr_devices": "Ontdekt DLNA Digital Media Renderer", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Naam bestaat al", + "passive": "Passief", + "define_zone_parameters": "Definieer zone parameters", "calendar_name": "Naam agenda", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "bluetooth_confirm_description": "Wil je {name} instellen?", - "adapter": "Adapter", - "multiple_adapters_description": "Selecteer een Bluetooth adapter om in te stellen", - "cannot_connect_details_error_detail": "Kan geen verbinding maken: {error_detail}", - "unknown_details_error_detail": "Onverwachte fout: {error_detail}", - "uses_an_ssl_certificate": "Maakt gebruik van een SSL-certificaat", - "verify_ssl_certificate": "SSL-certificaat verifiëren", - "configure_daikin_ac": "Daikin AC instellen", - "pin_code": "Pincode", - "discovered_android_tv": "Android TV ontdekt", - "state_template": "Statussjabloon", - "template_binary_sensor": "Sjabloneer een binaire sensor", - "template_sensor": "Sjabloonsensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is al geconfigureerd", - "no_deconz_bridges_discovered": "Geen deCONZ bridges ontdekt", - "abort_no_hardware_available": "Geen radiohardware aangesloten op deCONZ", - "abort_updated_instance": "DeCONZ-instantie bijgewerkt met nieuw host-adres", - "error_linking_not_possible": "Kan geen koppeling maken met de gateway", - "error_no_key": "Kon geen API-sleutel ophalen", - "link_with_deconz": "Koppel met deCONZ", - "select_discovered_deconz_gateway": "Selecteer gevonden deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Niet-ondersteund Switchbot-type.", - "authentication_failed_error_detail": "Authenticatie mislukt: {error_detail}", - "error_encryption_key_invalid": "Sleutel-ID of encryptiesleutel is ongeldig", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot-account (aanbevolen)", - "menu_options_lock_key": "Voer de encryptiesleutelvoor het slot handmatig in", - "key_id": "Sleutel-ID", - "password_description": "Wachtwoord om de back-up te beveiligen.", - "device_address": "Apparaatadres", - "component_switchbot_config_error_one": "een", - "component_switchbot_config_error_other": "overige", - "meteorologisk_institutt": "Meteorologisch institutt", - "api_error_occurred": "API-fout opgetreden", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "HTTPS inschakelen", - "enable_the_conversation_agent": "Schakel de conversatie in", - "language_code": "Taalcode", - "select_test_server": "Selecteer testserver", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimale RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scannermodus", + "passive_scanning": "Passief scannen", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2211,6 +2283,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Schakel de conversatie in", + "language_code": "Taalcode", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimale RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant-toegang tot Google Agenda", + "ignore_cec": "Negeer CEC", + "allowed_uuids": "Toegestane UUID's", + "advanced_google_cast_configuration": "Geavanceerde Google Cast configuratie", "broker_options": "Broker opties", "enable_birth_message": "Birth bericht inschakelen", "birth_message_payload": "Birth bericht inhoud", @@ -2224,106 +2313,37 @@ "will_message_retain": "Will bericht vasthouden", "will_message_topic": "Will bericht topic", "mqtt_options": "MQTT-opties", - "ignore_cec": "Negeer CEC", - "allowed_uuids": "Toegestane UUID's", - "advanced_google_cast_configuration": "Geavanceerde Google Cast configuratie", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scannermodus", + "protocol": "Protocol", + "select_test_server": "Selecteer testserver", + "retry_count": "Aantal herhalingen", + "allow_deconz_clip_sensors": "DeCONZ CLIP sensoren toestaan", + "allow_deconz_light_groups": "Sta deCONZ-lichtgroepen toe", + "data_allow_new_devices": "Sta automatische toevoeging van nieuwe apparaten toe", + "deconz_devices_description": "Configureer de zichtbaarheid van deCONZ-apparaattypen", + "deconz_options": "deCONZ opties", "invalid_url": "Ongeldige URL", "data_browse_unfiltered": "Incompatibele media weergeven tijdens browsen", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Poort om naar gebeurtenissen te luisteren (willekeurige poort indien niet ingesteld)", "poll_for_device_availability": "Pollen voor apparaat beschikbaarheid", "init_title": "DLNA Digital Media Renderer instellingen", - "passive_scanning": "Passief scannen", - "allow_deconz_clip_sensors": "DeCONZ CLIP sensoren toestaan", - "allow_deconz_light_groups": "Sta deCONZ-lichtgroepen toe", - "data_allow_new_devices": "Sta automatische toevoeging van nieuwe apparaten toe", - "deconz_devices_description": "Configureer de zichtbaarheid van deCONZ-apparaattypen", - "deconz_options": "deCONZ opties", - "retry_count": "Aantal herhalingen", - "data_calendar_access": "Home Assistant-toegang tot Google Agenda", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Zet {entity_name} aan/uit", - "turn_off_entity_name": "{entity_name} uitzetten", - "turn_on_entity_name": "{entity_name} aanzetten", - "entity_name_is_off": "{entity_name} is uitgeschakeld", - "entity_name_is_on": "{entity_name} is ingeschakeld", - "trigger_type_changed_states": "{entity_name} aan- of uitgezet", - "entity_name_turned_off": "{entity_name} uitgezet", - "entity_name_turned_on": "{entity_name} aangezet", - "entity_name_is_home": "{entity_name} is thuis", - "entity_name_is_not_home": "{entity_name} is niet thuis", - "entity_name_enters_a_zone": "{entity_name} gaat een zone binnen", - "entity_name_leaves_a_zone": "{entity_name} verlaat een zone", - "action_type_set_hvac_mode": "Wijzig de HVAC-modus op {entity_name}", - "change_preset_on_entity_name": "Wijzig voorinstelling op {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} gemeten vochtigheid veranderd", - "entity_name_measured_temperature_changed": "{entity_name} gemeten temperatuur veranderd", - "entity_name_hvac_mode_changed": "{entity_name} HVAC-modus gewijzigd", - "entity_name_is_buffering": "{entity_name} is aan het bufferen", - "entity_name_is_idle": "{entity_name} is niet actief", - "entity_name_is_paused": "{entity_name} is gepauzeerd", - "entity_name_is_playing": "{entity_name} wordt afgespeeld", - "entity_name_starts_buffering": "{entity_name} start met bufferen", - "entity_name_becomes_idle": "{entity_name} wordt inactief", - "entity_name_starts_playing": "{entity_name} begint te spelen", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Eerste knop", "second_button": "Tweede knop", "third_button": "Derde knop", "fourth_button": "Vierde knop", - "fifth_button": "Vijfde knop", - "sixth_button": "Zesde knop", - "subtype_double_clicked": "\"{subtype}\" dubbel geklikt", - "subtype_continuously_pressed": "\" {subtype} \" continu ingedrukt", - "trigger_type_button_long_release": "\"{subtype}\" losgelaten na lang indrukken", - "subtype_quadruple_clicked": "\" {subtype} \" vier keer aangeklikt", - "subtype_quintuple_clicked": "\" {subtype} \" vijf keer aangeklikt", - "subtype_pressed": "\"{subtype}\" knop ingedrukt", - "subtype_released": "\"{subtype}\" losgelaten", - "subtype_triple_clicked": "\" {subtype} \" driemaal geklikt", - "decrease_entity_name_brightness": "Verlaag de helderheid van {entity_name}", - "increase_entity_name_brightness": "Verhoog de helderheid van {entity_name}", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Verander {entity_name} naar de eerst optie", - "action_type_select_last": "Verander {entity_name} naar de laatste optie", - "action_type_select_next": "Verander {entity_name} naar de volgende optie", - "change_entity_name_option": "Verander {entity_name} optie", - "action_type_select_previous": "Verander {entity_name} naar de vorige optie", - "current_entity_name_selected_option": "Huidige {entity_name} geselecteerde optie", - "entity_name_option_changed": "{entity_name} optie veranderd", - "entity_name_update_availability_changed": "{entity_name} update beschikbaarheid gewijzigd", - "entity_name_became_up_to_date": "{entity_name} werd geüpdatet", - "trigger_type_turned_on": "{entity_name} heeft een update beschikbaar", "subtype_button_down": "{subtype} knop omlaag", "subtype_button_up": "{subtype} knop omhoog", + "subtype_double_clicked": "\"{subtype}\" dubbel geklikt", "subtype_double_push": "{subtype} dubbel gedrukt", "subtype_long_clicked": "{subtype} lang geklikt", "subtype_long_push": "{subtype} lang gedrukt", @@ -2331,8 +2351,10 @@ "subtype_single_clicked": "{subtype} enkel geklikt", "trigger_type_single_long": "{subtype} een keer geklikt en daarna lang geklikt", "subtype_single_push": "{subtype} enkelvoudig gedrukt", + "subtype_triple_clicked": "\" {subtype} \" driemaal geklikt", "subtype_triple_push": "{subtype} drievoudig gedrukt", "set_value_for_entity_name": "Stel waarde in voor {entity_name}", + "value": "Waarde", "close_entity_name": "Sluit {entity_name}", "close_entity_name_tilt": "Sluit de kanteling van {entity_name}", "open_entity_name": "Open {entity_name}", @@ -2350,7 +2372,114 @@ "entity_name_opened": "{entity_name} geopend", "entity_name_position_changes": "{entity_name} positiewijzigingen", "entity_name_tilt_position_changes": "{entity_name} kantel positiewijzigingen", - "send_a_notification": "Stuur een notificatie", + "entity_name_battery_is_low": "{entity_name} batterij is bijna leeg", + "entity_name_is_charging": "{entity_name} is aan het opladen", + "condition_type_is_co": "{entity_name} detecteert koolmonoxide", + "entity_name_is_cold": "{entity_name} is koud", + "entity_name_is_connected": "{entity_name} is verbonden", + "entity_name_is_detecting_gas": "{entity_name} detecteert gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} detecteert licht", + "entity_name_is_locked": "{entity_name} is vergrendeld", + "entity_name_is_moist": "{entity_name} is vochtig", + "entity_name_is_detecting_motion": "{entity_name} detecteert beweging", + "entity_name_is_moving": "{entity_name} is in beweging", + "condition_type_is_no_co": "{entity_name} detecteert geen koolmonoxide", + "condition_type_is_no_gas": "{entity_name} detecteert geen gas", + "condition_type_is_no_light": "{entity_name} detecteert geen licht", + "condition_type_is_no_motion": "{entity_name} detecteert geen beweging", + "condition_type_is_no_problem": "{entity_name} detecteert geen probleem", + "condition_type_is_no_smoke": "{entity_name} detecteert geen rook", + "condition_type_is_no_sound": "{entity_name} detecteert geen geluid", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} detecteert geen trillingen", + "entity_name_battery_is_normal": "{entity_name} batterij is normaal", + "entity_name_not_charging": "{entity_name} laadt niet op", + "entity_name_is_not_cold": "{entity_name} is niet koud", + "entity_name_is_disconnected": "{entity_name} is niet verbonden", + "entity_name_is_not_hot": "{entity_name} is niet heet", + "entity_name_is_unlocked": "{entity_name} is ontgrendeld", + "entity_name_is_dry": "{entity_name} is droog", + "entity_name_is_not_moving": "{entity_name} beweegt niet", + "entity_name_is_not_occupied": "{entity_name} is niet bezet", + "entity_name_is_unplugged": "{entity_name} is niet aangesloten", + "entity_name_is_not_powered": "{entity_name} is niet van stroom voorzien...", + "entity_name_not_present": "{entity_name} is niet aanwezig", + "trigger_type_not_running": "{entity_name} is niet langer actief", + "condition_type_is_not_tampered": "{entity_name} detecteert geen sabotage", + "entity_name_is_safe": "{entity_name} is veilig", + "entity_name_is_occupied": "{entity_name} bezet is", + "entity_name_is_off": "{entity_name} is uitgeschakeld", + "entity_name_is_on": "{entity_name} is ingeschakeld", + "entity_name_is_plugged_in": "{entity_name} is aangesloten", + "entity_name_is_powered": "{entity_name} is van stroom voorzien....", + "entity_name_is_present": "{entity_name} is aanwezig", + "entity_name_is_detecting_problem": "{entity_name} detecteert een probleem", + "entity_name_is_running": "{entity_name} is actief", + "entity_name_is_detecting_smoke": "{entity_name} detecteert rook", + "entity_name_is_detecting_sound": "{entity_name} detecteert geluid", + "entity_name_is_detecting_tampering": "{entity_name} detecteert sabotage", + "entity_name_is_unsafe": "{entity_name} is onveilig", + "trigger_type_turned_on": "{entity_name} heeft een update beschikbaar", + "entity_name_is_detecting_vibration": "{entity_name} detecteert trillingen", + "entity_name_battery_low": "{entity_name} batterij bijna leeg", + "entity_name_charging": "{entity_name} laadt op", + "trigger_type_co": "{entity_name} begonnen met het detecteren van koolmonoxide", + "entity_name_became_cold": "{entity_name} werd koud", + "entity_name_connected": "{entity_name} verbonden", + "entity_name_started_detecting_gas": "{entity_name} begon gas te detecteren", + "entity_name_became_hot": "{entity_name} werd heet", + "entity_name_started_detecting_light": "{entity_name} begon licht te detecteren", + "entity_name_locked": "{entity_name} vergrendeld", + "entity_name_became_moist": "{entity_name} werd vochtig", + "entity_name_started_detecting_motion": "{entity_name} begon beweging te detecteren", + "entity_name_started_moving": "{entity_name} begon te bewegen", + "trigger_type_no_co": "{entity_name} gestopt met het detecteren van koolmonoxide", + "entity_name_stopped_detecting_gas": "{entity_name} is gestopt met het detecteren van gas", + "entity_name_stopped_detecting_light": "{entity_name} gestopt met het detecteren van licht", + "entity_name_stopped_detecting_motion": "{entity_name} is gestopt met het detecteren van beweging", + "entity_name_stopped_detecting_problem": "{entity_name} gestopt met het detecteren van het probleem", + "entity_name_stopped_detecting_smoke": "{entity_name} gestopt met het detecteren van rook", + "entity_name_stopped_detecting_sound": "{entity_name} gestopt met het detecteren van geluid", + "entity_name_became_up_to_date": "{entity_name} werd up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} gestopt met het detecteren van trillingen", + "entity_name_battery_normal": "{entity_name} batterij normaal", + "entity_name_became_not_cold": "{entity_name} werd niet koud", + "entity_name_disconnected": "{entity_name} verbroken", + "entity_name_became_not_hot": "{entity_name} werd niet warm", + "entity_name_unlocked": "{entity_name} ontgrendeld", + "entity_name_became_dry": "{entity_name} werd droog", + "entity_name_stopped_moving": "{entity_name} gestopt met bewegen", + "entity_name_became_not_occupied": "{entity_name} werd niet bezet", + "entity_name_unplugged": "{entity_name} niet verbonden", + "entity_name_not_powered": "{entity_name} niet ingeschakeld", + "entity_name_stopped_detecting_tampering": "{entity_name} gestopt met het detecteren van sabotage", + "entity_name_became_safe": "{entity_name} werd veilig", + "entity_name_became_occupied": "{entity_name} werd bezet", + "entity_name_plugged_in": "{entity_name} aangesloten", + "entity_name_powered": "{entity_name} heeft vermogen", + "entity_name_present": "{entity_name} aanwezig", + "entity_name_started_detecting_problem": "{entity_name} begonnen met het detecteren van een probleem", + "entity_name_started_running": "{entity_name} is actief geworden", + "entity_name_started_detecting_smoke": "{entity_name} begon rook te detecteren", + "entity_name_started_detecting_sound": "{entity_name} begon geluid te detecteren", + "entity_name_started_detecting_tampering": "{entity_name} begonnen met het detecteren van sabotage", + "entity_name_turned_off": "{entity_name} uitgezet", + "entity_name_turned_on": "{entity_name} aangezet", + "entity_name_became_unsafe": "{entity_name} werd onveilig", + "trigger_type_update": "{entity_name} kreeg een update beschikbaar", + "entity_name_started_detecting_vibration": "{entity_name} begon trillingen te detecteren", + "entity_name_is_buffering": "{entity_name} is aan het bufferen", + "entity_name_is_idle": "{entity_name} is niet actief", + "entity_name_is_paused": "{entity_name} is gepauzeerd", + "entity_name_is_playing": "{entity_name} wordt afgespeeld", + "entity_name_starts_buffering": "{entity_name} start met bufferen", + "trigger_type_changed_states": "{entity_name} aan- of uitgezet", + "entity_name_becomes_idle": "{entity_name} wordt inactief", + "entity_name_starts_playing": "{entity_name} begint te spelen", + "toggle_entity_name": "Zet {entity_name} aan/uit", + "turn_off_entity_name": "{entity_name} uitzetten", + "turn_on_entity_name": "{entity_name} aanzetten", "arm_entity_name_away": "Schakel {entity_name} in voor vertrek", "arm_entity_name_home": "Schakel {entity_name} in voor thuis", "arm_entity_name_night": "Schakel {entity_name} in voor 's nachts", @@ -2366,12 +2495,26 @@ "entity_name_armed_vacation": "{entity_name} schakelde in voor vakantie", "entity_name_disarmed": "{entity_name} uitgeschakeld", "entity_name_triggered": "{entity_name} afgegaan", + "entity_name_is_home": "{entity_name} is thuis", + "entity_name_is_not_home": "{entity_name} is niet thuis", + "entity_name_enters_a_zone": "{entity_name} gaat een zone binnen", + "entity_name_leaves_a_zone": "{entity_name} verlaat een zone", + "lock_entity_name": "Vergrendel {entity_name}", + "unlock_entity_name": "Ontgrendel {entity_name}", + "action_type_set_hvac_mode": "Wijzig de HVAC-modus op {entity_name}", + "change_preset_on_entity_name": "Wijzig voorinstelling op {entity_name}", + "hvac_mode": "HVAC-modus", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} gemeten vochtigheid veranderd", + "entity_name_measured_temperature_changed": "{entity_name} gemeten temperatuur veranderd", + "entity_name_hvac_mode_changed": "{entity_name} HVAC-modus gewijzigd", "current_entity_name_apparent_power": "Huidig {entity_name} schijnbaar vermogen", "condition_type_is_aqi": "Huidige {entity_name} luchtkwaliteitsindex", "current_entity_name_atmospheric_pressure": "Huidige {entity_name} atmosferische druk", "current_entity_name_battery_level": "Huidig batterijniveau {entity_name}", "condition_type_is_carbon_dioxide": "Huidig niveau {entity_name} kooldioxideconcentratie", "condition_type_is_carbon_monoxide": "Huidig niveau {entity_name} koolmonoxideconcentratie", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Huidige {entity_name} stroom", "current_entity_name_data_rate": "Huidige {entity_name} datasnelheid", "current_entity_name_data_size": "Huidige {entity_name} datagrootte", @@ -2416,6 +2559,7 @@ "entity_name_battery_level_changes": "{entity_name} batterijniveau gewijzigd", "trigger_type_carbon_dioxide": "{entity_name} kooldioxideconcentratie gewijzigd", "trigger_type_carbon_monoxide": "{entity_name} koolmonoxideconcentratie gewijzigd", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} huidige wijzigingen", "entity_name_data_rate_changes": "{entity_name} datasnelheid wijzigingen", "entity_name_data_size_changes": "{entity_name} data-grootte verandert", @@ -2454,133 +2598,69 @@ "entity_name_water_changes": "{entity_name} water wijzigingen", "entity_name_weight_changes": "Gewicht van {entity_name} veranderd", "entity_name_wind_speed_changes": "{entity_name} windsnelheid verandert", + "decrease_entity_name_brightness": "Verlaag de helderheid van {entity_name}", + "increase_entity_name_brightness": "Verhoog de helderheid van {entity_name}", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Vijfde knop", + "sixth_button": "Zesde knop", + "subtype_continuously_pressed": "\" {subtype} \" continu ingedrukt", + "trigger_type_button_long_release": "\"{subtype}\" losgelaten na lang indrukken", + "subtype_quadruple_clicked": "\" {subtype} \" vier keer aangeklikt", + "subtype_quintuple_clicked": "\" {subtype} \" vijf keer aangeklikt", + "subtype_pressed": "\"{subtype}\" knop ingedrukt", + "subtype_released": "\"{subtype}\" losgelaten", + "action_type_select_first": "Verander {entity_name} naar de eerst optie", + "action_type_select_last": "Verander {entity_name} naar de laatste optie", + "action_type_select_next": "Verander {entity_name} naar de volgende optie", + "change_entity_name_option": "Verander {entity_name} optie", + "action_type_select_previous": "Verander {entity_name} naar de vorige optie", + "current_entity_name_selected_option": "Huidige {entity_name} geselecteerde optie", + "cycle": "Roteren", + "from": "From", + "entity_name_option_changed": "{entity_name} optie veranderd", + "send_a_notification": "Stuur een notificatie", + "both_buttons": "Beide knoppen", + "bottom_buttons": "Onderste knoppen", + "seventh_button": "Zevende knop", + "eighth_button": "Achtste knop", + "dim_down": "Dim omlaag", + "dim_up": "Dim omhoog", + "left": "Links", + "right": "Rechts", + "side": "Zijde 6", + "top_buttons": "Bovenste knoppen", + "device_awakened": "Apparaat is gewekt", + "button_rotated_subtype": "Knop gedraaid \" {subtype} \"", + "button_rotated_fast_subtype": "Knop is snel gedraaid \" {subtype} \"", + "button_rotation_subtype_stopped": "Knoprotatie \" {subtype} \" gestopt", + "device_subtype_double_tapped": "Apparaat \"{subtype}\" dubbel getikt", + "trigger_type_remote_double_tap_any_side": "Apparaat dubbel getikt op willekeurige zijde", + "device_in_free_fall": "Apparaat in vrije val", + "device_flipped_degrees": "Apparaat 90 graden gedraaid", + "device_shaken": "Apparaat geschud", + "trigger_type_remote_moved": "Apparaat verplaatst met \"{subtype}\" omhoog", + "trigger_type_remote_moved_any_side": "Apparaat gedraaid met willekeurige zijde boven", + "trigger_type_remote_rotate_from_side": "Apparaat gedraaid van \"zijde 6\" naar \" {subtype} \"", + "device_turned_clockwise": "Apparaat met de klok mee gedraaid", + "device_turned_counter_clockwise": "Apparaat tegen de klok in gedraaid", "press_entity_name_button": "Druk op de knop {entity_name}", "entity_name_has_been_pressed": "{entity_name} is ingedrukt", - "entity_name_battery_is_low": "{entity_name} batterij is bijna leeg", - "entity_name_is_charging": "{entity_name} is aan het opladen", - "condition_type_is_co": "{entity_name} detecteert koolmonoxide", - "entity_name_is_cold": "{entity_name} is koud", - "entity_name_is_connected": "{entity_name} is verbonden", - "entity_name_is_detecting_gas": "{entity_name} detecteert gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} detecteert licht", - "entity_name_is_locked": "{entity_name} is vergrendeld", - "entity_name_is_moist": "{entity_name} is vochtig", - "entity_name_is_detecting_motion": "{entity_name} detecteert beweging", - "entity_name_is_moving": "{entity_name} is in beweging", - "condition_type_is_no_co": "{entity_name} detecteert geen koolmonoxide", - "condition_type_is_no_gas": "{entity_name} detecteert geen gas", - "condition_type_is_no_light": "{entity_name} detecteert geen licht", - "condition_type_is_no_motion": "{entity_name} detecteert geen beweging", - "condition_type_is_no_problem": "{entity_name} detecteert geen probleem", - "condition_type_is_no_smoke": "{entity_name} detecteert geen rook", - "condition_type_is_no_sound": "{entity_name} detecteert geen geluid", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} detecteert geen trillingen", - "entity_name_battery_is_normal": "{entity_name} batterij is normaal", - "entity_name_not_charging": "{entity_name} laadt niet op", - "entity_name_is_not_cold": "{entity_name} is niet koud", - "entity_name_is_disconnected": "{entity_name} is niet verbonden", - "entity_name_is_not_hot": "{entity_name} is niet heet", - "entity_name_is_unlocked": "{entity_name} is ontgrendeld", - "entity_name_is_dry": "{entity_name} is droog", - "entity_name_is_not_moving": "{entity_name} beweegt niet", - "entity_name_is_not_occupied": "{entity_name} is niet bezet", - "entity_name_is_unplugged": "{entity_name} is niet aangesloten", - "entity_name_is_not_powered": "{entity_name} is niet van stroom voorzien...", - "entity_name_not_present": "{entity_name} is niet aanwezig", - "trigger_type_not_running": "{entity_name} is niet langer actief", - "condition_type_is_not_tampered": "{entity_name} detecteert geen sabotage", - "entity_name_is_safe": "{entity_name} is veilig", - "entity_name_is_occupied": "{entity_name} bezet is", - "entity_name_is_plugged_in": "{entity_name} is aangesloten", - "entity_name_is_powered": "{entity_name} is van stroom voorzien....", - "entity_name_is_present": "{entity_name} is aanwezig", - "entity_name_is_detecting_problem": "{entity_name} detecteert een probleem", - "entity_name_is_running": "{entity_name} is actief", - "entity_name_is_detecting_smoke": "{entity_name} detecteert rook", - "entity_name_is_detecting_sound": "{entity_name} detecteert geluid", - "entity_name_is_detecting_tampering": "{entity_name} detecteert sabotage", - "entity_name_is_unsafe": "{entity_name} is onveilig", - "entity_name_is_detecting_vibration": "{entity_name} detecteert trillingen", - "entity_name_battery_low": "{entity_name} batterij bijna leeg", - "entity_name_charging": "{entity_name} laadt op", - "trigger_type_co": "{entity_name} begonnen met het detecteren van koolmonoxide", - "entity_name_became_cold": "{entity_name} werd koud", - "entity_name_connected": "{entity_name} verbonden", - "entity_name_started_detecting_gas": "{entity_name} begon gas te detecteren", - "entity_name_became_hot": "{entity_name} werd heet", - "entity_name_started_detecting_light": "{entity_name} begon licht te detecteren", - "entity_name_locked": "{entity_name} vergrendeld", - "entity_name_became_moist": "{entity_name} werd vochtig", - "entity_name_started_detecting_motion": "{entity_name} begon beweging te detecteren", - "entity_name_started_moving": "{entity_name} begon te bewegen", - "trigger_type_no_co": "{entity_name} gestopt met het detecteren van koolmonoxide", - "entity_name_stopped_detecting_gas": "{entity_name} is gestopt met het detecteren van gas", - "entity_name_stopped_detecting_light": "{entity_name} gestopt met het detecteren van licht", - "entity_name_stopped_detecting_motion": "{entity_name} is gestopt met het detecteren van beweging", - "entity_name_stopped_detecting_problem": "{entity_name} gestopt met het detecteren van het probleem", - "entity_name_stopped_detecting_smoke": "{entity_name} gestopt met het detecteren van rook", - "entity_name_stopped_detecting_sound": "{entity_name} gestopt met het detecteren van geluid", - "entity_name_stopped_detecting_vibration": "{entity_name} gestopt met het detecteren van trillingen", - "entity_name_battery_normal": "{entity_name} batterij normaal", - "entity_name_became_not_cold": "{entity_name} werd niet koud", - "entity_name_disconnected": "{entity_name} verbroken", - "entity_name_became_not_hot": "{entity_name} werd niet warm", - "entity_name_unlocked": "{entity_name} ontgrendeld", - "entity_name_became_dry": "{entity_name} werd droog", - "entity_name_stopped_moving": "{entity_name} gestopt met bewegen", - "entity_name_became_not_occupied": "{entity_name} werd niet bezet", - "entity_name_unplugged": "{entity_name} niet verbonden", - "entity_name_not_powered": "{entity_name} niet ingeschakeld", - "entity_name_stopped_detecting_tampering": "{entity_name} gestopt met het detecteren van sabotage", - "entity_name_became_safe": "{entity_name} werd veilig", - "entity_name_became_occupied": "{entity_name} werd bezet", - "entity_name_plugged_in": "{entity_name} aangesloten", - "entity_name_powered": "{entity_name} heeft vermogen", - "entity_name_present": "{entity_name} aanwezig", - "entity_name_started_detecting_problem": "{entity_name} begonnen met het detecteren van een probleem", - "entity_name_started_running": "{entity_name} is actief geworden", - "entity_name_started_detecting_smoke": "{entity_name} begon rook te detecteren", - "entity_name_started_detecting_sound": "{entity_name} begon geluid te detecteren", - "entity_name_started_detecting_tampering": "{entity_name} begonnen met het detecteren van sabotage", - "entity_name_became_unsafe": "{entity_name} werd onveilig", - "trigger_type_update": "{entity_name} kreeg een update beschikbaar", - "entity_name_started_detecting_vibration": "{entity_name} begon trillingen te detecteren", - "both_buttons": "Beide knoppen", - "bottom_buttons": "Onderste knoppen", - "seventh_button": "Zevende knop", - "eighth_button": "Achtste knop", - "dim_down": "Dim omlaag", - "dim_up": "Dim omhoog", - "left": "Links", - "right": "Rechts", - "side": "Zijde 6", - "top_buttons": "Bovenste knoppen", - "device_awakened": "Apparaat is gewekt", - "button_rotated_subtype": "Knop gedraaid \" {subtype} \"", - "button_rotated_fast_subtype": "Knop is snel gedraaid \" {subtype} \"", - "button_rotation_subtype_stopped": "Knoprotatie \" {subtype} \" gestopt", - "device_subtype_double_tapped": "Apparaat \"{subtype}\" dubbel getikt", - "trigger_type_remote_double_tap_any_side": "Apparaat dubbel getikt op willekeurige zijde", - "device_in_free_fall": "Apparaat in vrije val", - "device_flipped_degrees": "Apparaat 90 graden gedraaid", - "device_shaken": "Apparaat geschud", - "trigger_type_remote_moved": "Apparaat verplaatst met \"{subtype}\" omhoog", - "trigger_type_remote_moved_any_side": "Apparaat gedraaid met willekeurige zijde boven", - "trigger_type_remote_rotate_from_side": "Apparaat gedraaid van \"zijde 6\" naar \" {subtype} \"", - "device_turned_clockwise": "Apparaat met de klok mee gedraaid", - "device_turned_counter_clockwise": "Apparaat tegen de klok in gedraaid", - "lock_entity_name": "Vergrendel {entity_name}", - "unlock_entity_name": "Ontgrendel {entity_name}", - "critical": "Kritiek", - "debug": "Debug", - "warning": "Waarschuwing", + "entity_name_update_availability_changed": "{entity_name} update beschikbaarheid gewijzigd", "add_to_queue": "Toevoegen aan wachtrij", "play_next": "Volgende afspelen", "options_replace": "Nu afspelen en wachtrij wissen", "repeat_all": "Herhaal alles", "repeat_one": "Herhaal één", + "critical": "Kritiek", + "debug": "Debug", + "warning": "Waarschuwing", + "most_recently_updated": "Meest recent bijgewerkt", + "arithmetic_mean": "Rekenkundig gemiddelde", + "median": "Mediaan", + "product": "Product", + "statistical_range": "Statistisch bereik", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2703,16 +2783,111 @@ "wheat": "Tarwe", "white_smoke": "Witte rook", "yellow_green": "Geelgroen", + "fatal": "Fataal", "no_device_class": "Geen apparaatklasse", "no_state_class": "Geen statusklasse", "no_unit_of_measurement": "Geen meeteenheid", - "fatal": "Fataal", - "most_recently_updated": "Meest recent bijgewerkt", - "arithmetic_mean": "Rekenkundig gemiddelde", - "median": "Mediaan", - "product": "Product", - "statistical_range": "Statistisch bereik", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconden", + "memory": "Geheugen", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Stuurt een request_sync commando naar Google.", + "agent_user_id": "Agent gebruiker-ID", + "request_sync": "Vraag om synchronisatie", + "reload_resources_description": "Herlaadt dashboardbronnen vanuit de YAML-configuratie.", + "clears_all_log_entries": "Wist alle logboekvermeldingen.", + "clear_all": "Alles wissen", + "write_log_entry": "Schrijf logboekvermelding.", + "log_level": "Log niveau.", + "level": "Niveau", + "message_to_log": "Bericht om te loggen.", + "write": "Schrijven", + "set_value_description": "Stelt de waarde van een getal in.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Schakelt de sirene om.", + "turns_the_siren_off": "Schakelt de sirene uit.", + "turns_the_siren_on": "Schakelt de sirene in.", + "tone": "Toon", + "create_event_description": "Voeg een nieuwe gebeurtenis aan de agenda toe.", + "location_description": "De locatie van de gebeurtenis. Optioneel.", + "start_date_description": "De datum waarop het evenement dat de hele dag duurt, moet beginnen.", + "create_event": "Creëer evenement", + "get_events": "Get events", + "list_event": "Lijst met evenementen", + "closes_a_cover": "Sluit een bedekking.", + "close_cover_tilt_description": "Kantelt een bedekking om te sluiten.", + "close_tilt": "Kantelen sluiten", + "opens_a_cover": "Opent een bedekking.", + "tilts_a_cover_open": "Kantelt een bedekking open.", + "open_tilt": "Open kantelen", + "set_cover_position_description": "Verplaatst een bedekking naar een specifieke positie.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Doel kantelpositie.", + "set_tilt_position": "Kantelpositie instellen", + "stops_the_cover_movement": "Stopt de beweging van de bedekking.", + "stop_cover_tilt_description": "Stopt een kantelende bedekkingsbeweging.", + "stop_tilt": "Stoppen met kantelen", + "toggles_a_cover_open_closed": "Schakelt een bedekking open/dicht.", + "toggle_cover_tilt_description": "Schakelt een bedekking kantelen open/gesloten.", + "toggle_tilt": "Kanteling in-/uitschakelen", + "check_configuration": "Controleer configuratie", + "reload_all": "Alles herladen", + "reload_config_entry_description": "Herlaad de specifieke config-entry.", + "config_entry_id": "Config-entry ID", + "reload_config_entry": "Herladen config-entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Kern-configuratie opnieuw laden", + "reload_custom_jinja_templates": "Herlaad aangepaste Jinja2-sjablonen", + "restarts_home_assistant": "Herstart Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Bewaar aanhoudende toestanden", + "set_location_description": "Werkt de Home Assistant locatie bij.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Breedtegraad van je locatie.", + "longitude_of_your_location": "Lengtegraad van je locatie.", + "set_location": "Locatie instellen", + "stops_home_assistant": "Stopt Home Assistant.", + "generic_toggle": "Generiek omschaken", + "generic_turn_off": "Generiek uitschakelen", + "generic_turn_on": "Generiek inschakelen", + "update_entity": "Bijwerken entiteit", + "creates_a_new_backup": "Maakt een nieuwe back-up.", + "decrement_description": "Verlaagt de huidige waarde met 1 stap.", + "increment_description": "Verhoogt de waarde met 1 stap.", + "sets_the_value": "Stelt de waarde in.", + "the_target_value": "De doelwaarde.", + "reloads_the_automation_configuration": "Herlaadt de automatiseringsconfiguratie.", + "toggle_description": "Schakelt een mediaspeler in/uit.", + "trigger_description": "Activeert de acties van een automatisering.", + "skip_conditions": "Voorwaarden overslaan", + "trigger": "Trigger", + "disables_an_automation": "Schakelt een automatisering uit.", + "stops_currently_running_actions": "Stopt lopende acties.", + "stop_actions": "Stop acties", + "enables_an_automation": "Schakelt een automatisering in.", "restarts_an_add_on": "Herstart een add-on.", "the_add_on_slug": "De `slug` van de add-on", "restart_add_on": "Add-on herstarten.", @@ -2747,175 +2922,6 @@ "restore_partial_description": "Herstellen van een gedeeltelijke back-up.", "restores_home_assistant": "Herstelt Home Assistant.", "restore_from_partial_backup": "Herstellen van gedeeltelijke back-up.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC adres", - "send_magic_packet": "Send magic packet", - "command_description": "Commando('s) om te sturen naar Google Assistant", - "command": "Opdracht", - "media_player_entity": "Mediaspeler entiteit", - "send_text_command": "Stuur tekstcommando", - "clear_tts_cache": "TTS-cache wissen", - "cache": "Cache", - "entity_id_description": "Entiteit om naar te verwijzen in de logboekvermelding.", - "language_description": "Taal van de tekst. Valt terug op de server-taal.", - "options_description": "Een woordenboek met integratiespecifieke opties.", - "say_a_tts_message": "Zeg een TTS-bericht", - "media_player_entity_id_description": "Mediaspelers om het bericht af te spelen.", - "speak": "Spreek", - "stops_a_running_script": "Stopt een lopend script.", - "request_sync_description": "Stuurt een request_sync commando naar Google.", - "agent_user_id": "Agent gebruiker-ID", - "request_sync": "Vraag om synchronisatie", - "sets_a_random_effect": "Stelt een willekeurig effect in.", - "sequence_description": "Lijst met HSV sequenties (max 16).", - "backgrounds": "Achtergronden", - "initial_brightness": "Initiële helderheid.", - "range_of_brightness": "Bereik van helderheid.", - "brightness_range": "Bereik helderheid", - "fade_off": "Fade uitschakelen", - "range_of_hue": "Bereik van tint.", - "hue_range": "Kleurtint bereik", - "initial_hsv_sequence": "Initiële HSV sequentie.", - "initial_states": "Initiële statussen", - "random_seed": "Willekeurige seed", - "range_of_saturation": "Bereik van verzadiging.", - "saturation_range": "Verzadiging bereik", - "segments_description": "Lijst met segmenten (0 voor alle).", - "segments": "Segmenten", - "transition": "Overgang", - "range_of_transition": "Bereik van overgang.", - "transition_range": "Overgangsbereik", - "random_effect": "Willekeurig effect", - "sets_a_sequence_effect": "Stelt een sequentie-effect in.", - "repetitions_for_continuous": "Herhalingen (0 voor continu).", - "repeats": "Herhalingen", - "sequence": "Sequentie", - "speed_of_spread": "Snelheid van verspreiden.", - "spread": "Verspreiden", - "sequence_effect": "Sequentie effect", - "check_configuration": "Controleer configuratie", - "reload_all": "Alles herladen", - "reload_config_entry_description": "Herlaad de specifieke config-entry.", - "config_entry_id": "Config-entry ID", - "reload_config_entry": "Herladen config-entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Kern-configuratie opnieuw laden", - "reload_custom_jinja_templates": "Herlaad aangepaste Jinja2-sjablonen", - "restarts_home_assistant": "Herstart Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Bewaar aanhoudende toestanden", - "set_location_description": "Werkt de Home Assistant locatie bij.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Breedtegraad van je locatie.", - "longitude_of_your_location": "Lengtegraad van je locatie.", - "set_location": "Locatie instellen", - "stops_home_assistant": "Stopt Home Assistant.", - "generic_toggle": "Generiek omschaken", - "generic_turn_off": "Generiek uitschakelen", - "generic_turn_on": "Generiek inschakelen", - "update_entity": "Bijwerken entiteit", - "create_event_description": "Voeg een nieuwe gebeurtenis aan de agenda toe.", - "location_description": "De locatie van de gebeurtenis. Optioneel.", - "start_date_description": "De datum waarop het evenement dat de hele dag duurt, moet beginnen.", - "create_event": "Creëer evenement", - "get_events": "Get events", - "list_event": "Lijst met evenementen", - "toggles_a_switch_on_off": "Schakelt een schakelaar aan/uit.", - "turns_a_switch_off": "Zet een schakelaar uit.", - "turns_a_switch_on": "Zet een schakelaar aan.", - "disables_the_motion_detection": "Schakelt de bewegingsdetectie uit.", - "disable_motion_detection": "Bewegingsdetectie uitschakelen", - "enables_the_motion_detection": "Schakelt de bewegingsdetectie in.", - "enable_motion_detection": "Bewegingsdetectie inschakelen", - "format_description": "Streamformaat ondersteund door de mediaspeler.", - "format": "Formaat", - "media_player_description": "Mediaspelers om naar te streamen.", - "play_stream": "Stream afspelen", - "filename": "Bestandsnaam", - "lookback": "Terugblik", - "snapshot_description": "Maakt een momentopname van een camera.", - "take_snapshot": "Maak een momentopname", - "turns_off_the_camera": "Zet de camera uit.", - "turns_on_the_camera": "Zet de camera aan.", - "notify_description": "Zend een notificatie naar de geselecteerde ontvangers", - "data": "Gegevens", - "message_description": "Berichttekst van de notificatie.", - "title_for_your_notification": "Titel van je notificatie", - "title_of_the_notification": "Titel van de melding.", - "send_a_persistent_notification": "Stuur een blijvende notificatie", - "sends_a_notification_message": "Verstuurt een notificatiebericht", - "your_notification_message": "Jouw notificatiebericht", - "title_description": "Optioneel onderwerp van de notificatie.", - "send_a_notification_message": "Stuur een notificatiebericht", - "creates_a_new_backup": "Maakt een nieuwe back-up.", - "see_description": "Legt een gevolgd apparaat vast.", - "battery_description": "Batterijniveau van het apparaat.", - "gps_coordinates": "GPS coördinaten", - "gps_accuracy_description": "Nauwkeurigheid van de GPS coördinaten.", - "hostname_of_the_device": "Hostnaam van een apparaat", - "hostname": "Hostnaam", - "mac_description": "MAC adres van het apparaat.", - "see": "Gezien", - "log_description": "Maakt een aangepaste vermelding in het logboek.", - "log": "Log", - "apply_description": "Activeert een scène met configuratie.", - "entities_description": "Lijst van entiteiten en hun doelstatus.", - "entities_state": "Entiteiten status", - "apply": "Toepassen", - "creates_a_new_scene": "Creëert een nieuwe scène.", - "scene_id_description": "De entiteits-ID van de nieuwe scène.", - "scene_entity_id": "Scène entiteit ID", - "snapshot_entities": "Snapshot entiteiten", - "delete_description": "Verwijdert een dynamisch aangemaakte scène.", - "activates_a_scene": "Activeert een scène.", - "turns_auxiliary_heater_on_off": "Zet de hulpverwarming aan/uit.", - "aux_heat_description": "Nieuwe waarde van de hulpverwarming.", - "auxiliary_heating": "Hulpverwarming", - "turn_on_off_auxiliary_heater": "Hulpverwarming aan-/uitzetten", - "sets_fan_operation_mode": "Ventilator bedrijfsmode instellen.", - "fan_operation_mode": "Ventilator bedrijfsmode.", - "set_fan_mode": "Ventilatormode instellen", - "sets_target_humidity": "Stelt doelluchtvochtigheid in.", - "set_target_humidity": "Stel doelluchtvochtigheid in", - "sets_hvac_operation_mode": "Stelt de HVAC-bedrijfsmode in.", - "hvac_operation_mode": "HVAC-bedrijfsmodus.", - "hvac_mode": "HVAC-modus", - "set_hvac_mode": "HVAC-mode instellen", - "sets_preset_mode": "Stelt de vooraf ingestelde modus in.", - "set_preset_mode": "Stel de vooringestelde modus in", - "sets_swing_operation_mode": "Sets swing operation mode.", - "swing_operation_mode": "Zwenkmodus.", - "set_swing_mode": "Stel de swing-modus in", - "sets_target_temperature": "Stelt doeltemperatuur in.", - "high_target_temperature": "Hoge doeltemperatuur.", - "target_temperature_high": "Doeltemperatuur hoog", - "low_target_temperature": "Lage doeltemperatuur.", - "target_temperature_low": "Doeltemperatuur laag", - "set_target_temperature": "Stel de doeltemperatuur in", - "turns_climate_device_off": "Zet klimaatapparaat uit.", - "turns_climate_device_on": "Zet klimaatapparaat aan.", - "clears_all_log_entries": "Wist alle logboekvermeldingen.", - "clear_all": "Alles wissen", - "write_log_entry": "Schrijf logboekvermelding.", - "log_level": "Log niveau.", - "level": "Niveau", - "message_to_log": "Bericht om te loggen.", - "write": "Schrijven", - "device_description": "Apparaat-ID waarnaar de opdracht moet worden verzonden.", - "delete_command": "Opdracht verwijderen", - "alternative": "Alternatief", - "command_type_description": "Het soort opdracht dat geleerd moet worden.", - "command_type": "Type opdracht", - "timeout_description": "Time-out voor het leren van de opdracht.", - "learn_command": "Opdracht leren", - "delay_seconds": "Vertraging seconden", - "hold_seconds": "Seconden vasthouden", - "send_command": "Opdracht verzenden", - "toggles_a_device_on_off": "Schakelt een apparaat aan/uit.", - "turns_the_device_off": "Zet het apparaat uit.", - "turn_on_description": "Verstuurt het inschakelcommando.", "clears_the_playlist": "Wist de afspeellijst.", "clear_playlist": "Afspeellijst wissen", "selects_the_next_track": "Selecteert de volgende track.", @@ -2932,7 +2938,6 @@ "select_sound_mode": "Selecteer de geluidsmodus", "select_source": "Selecteer bron", "shuffle_description": "Of de shufflemodus wel of niet is ingeschakeld.", - "toggle_description": "Schakelt een automatisering aan/uit.", "unjoin": "Ontkoppel", "turns_down_the_volume": "Zet het volume lager.", "turn_down_volume": "Zet het volume lager", @@ -2943,155 +2948,6 @@ "set_volume": "Volume instellen", "turns_up_the_volume": "Zet het volume hoger.", "turn_up_volume": "Zet het volume hoger", - "topic_to_listen_to": "Topic om naar te luisteren.", - "topic": "Topic", - "export": "Exporteren", - "publish_description": "Publiceert een bericht naar een MQTT-topic.", - "the_payload_to_publish": "Het bericht om te publiceren.", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Vasthouden", - "topic_to_publish_to": "Topic om naar te publiceren.", - "publish": "Publiceer", - "brightness_value": "Helderheidswaarde", - "a_human_readable_color_name": "A human-readable color name.", - "color_name": "Kleur naam", - "color_temperature_in_mireds": "Kleurtemperatuur in mireds.", - "light_effect": "Lichteffect.", - "flash": "Knipperen", - "hue_sat_color": "Tint/verzadiging kleur", - "color_temperature_in_kelvin": "Kleurtemperatuur in Kelvin.", - "profile_description": "Naam van een te gebruiken lichtprofiel.", - "white_description": "Zet het licht op de witte modus.", - "xy_color": "XY-kleur", - "turn_off_description": "Zet een of meerdere lampen uit.", - "brightness_step_description": "Wijzig de helderheid met een hoeveelheid.", - "brightness_step_value": "Helderheidsstapwaarde", - "brightness_step_pct_description": "Wijzig de helderheid met een percentage.", - "brightness_step": "Helderheidsstap", - "rgbw_color": "RGBW-kleur", - "rgbww_color": "RGBWW-kleur", - "reloads_the_automation_configuration": "Herlaadt de automatiseringsconfiguratie.", - "trigger_description": "Activeert de acties van een automatisering.", - "skip_conditions": "Voorwaarden overslaan", - "trigger": "Trigger", - "disables_an_automation": "Schakelt een automatisering uit.", - "stops_currently_running_actions": "Stopt lopende acties.", - "stop_actions": "Stop acties", - "enables_an_automation": "Schakelt een automatisering in.", - "dashboard_path": "Dashboard pad", - "view_path": "Pad bekijken", - "show_dashboard_view": "Dashboardweergave weergeven", - "toggles_the_siren_on_off": "Schakelt de sirene om.", - "turns_the_siren_off": "Schakelt de sirene uit.", - "turns_the_siren_on": "Schakelt de sirene in.", - "tone": "Toon", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media-URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloadt bestand van opgegeven URL.", - "removes_a_group": "Verwijdert een groep.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Maakt/Update een gebruikersgroep.", - "add_entities": "Entiteiten toevoegen", - "icon_description": "Naam van het pictogram voor de groep.", - "name_of_the_group": "Naam van de groep.", - "remove_entities": "Verwijder entiteiten", - "selects_the_first_option": "Selecteert de eerste optie.", - "first": "Eerste", - "selects_the_last_option": "Selecteert de laatste optie.", - "selects_the_next_option": "Selecteert de volgende optie.", - "cycle": "Roteren", - "selects_an_option": "Selecteert een optie.", - "option_to_be_selected": "Te selecteren optie.", - "selects_the_previous_option": "Selecteert de vorige optie.", - "create_description": "Toont een notificatie op het **Notificaties** paneel.", - "notification_id": "Notificatie ID", - "dismiss_description": "Verwijdert een notificatie uit het **Notificaties** paneel.", - "notification_id_description": "ID van de notificatie die verwijderd moet worden.", - "dismiss_all_description": "Verwijdert alle notificaties uit het **Notificaties** paneel.", - "cancels_a_timer": "Annuleert een timer.", - "changes_a_timer": "Wijzigt een timer.", - "finishes_a_timer": "Voltooien van een timer.", - "pauses_a_timer": "Pauzeert een timer.", - "starts_a_timer": "Start een timer.", - "duration_description": "Duur die de timer nodig heeft om te voltooien. [optioneel].", - "select_the_next_option": "Selecteer de volgende optie.", - "sets_the_options": "Stelt de opties in.", - "list_of_options": "Lijst met opties.", - "set_options": "Stel opties in", - "clear_skipped_update": "Overgeslagen updates wissen", - "install_update": "Update installeren", - "skip_description": "Markeert de momenteel beschikbare update als overgeslagen.", - "skip_update": "Update overslaan", - "set_default_level_description": "Stelt het standaard logniveau voor integraties in.", - "level_description": "Standaard logniveau voor alle integraties.", - "set_default_level": "Stel net standaardniveau in", - "set_level": "Niveau instellen", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Stelt de waarde van een getal in.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Sluit een bedekking.", - "close_cover_tilt_description": "Kantelt een bedekking om te sluiten.", - "close_tilt": "Kantelen sluiten", - "opens_a_cover": "Opent een bedekking.", - "tilts_a_cover_open": "Kantelt een bedekking open.", - "open_tilt": "Open kantelen", - "set_cover_position_description": "Verplaatst een bedekking naar een specifieke positie.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Doel kantelpositie.", - "set_tilt_position": "Kantelpositie instellen", - "stops_the_cover_movement": "Stopt de beweging van de bedekking.", - "stop_cover_tilt_description": "Stopt een kantelende bedekkingsbeweging.", - "stop_tilt": "Stoppen met kantelen", - "toggles_a_cover_open_closed": "Schakelt een bedekking open/dicht.", - "toggle_cover_tilt_description": "Schakelt een bedekking kantelen open/gesloten.", - "toggle_tilt": "Kanteling in-/uitschakelen", - "toggles_the_helper_on_off": "Schakelt de helper in/uit.", - "turns_off_the_helper": "Schakelt de helper uit.", - "turns_on_the_helper": "Schakelt de helper in.", - "decrement_description": "Verlaagt de huidige waarde met 1 stap.", - "increment_description": "Verhoogt de waarde met 1 stap.", - "sets_the_value": "Stelt de waarde in.", - "the_target_value": "De doelwaarde.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconden", - "memory": "Geheugen", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Start een conversatie vanuit een getranscribeerde tekst.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Getranscribeerde tekstinvoer.", - "process": "Verwerk", - "reloads_the_intent_configuration": "Herlaadt de intent configuratie.", - "conversation_agent_to_reload": "Conversatie agent om te herladen.", "apply_filter": "Filter toepassen", "days_to_keep": "Dagen om te bewaren", "repack": "Herverpakken", @@ -3100,34 +2956,6 @@ "entity_globs_to_remove": "Entiteitsglobs om te verwijderen", "entities_to_remove": "Te verwijderen entiteiten", "purge_entities": "Entiteiten opschonen", - "reload_resources_description": "Herlaadt dashboardbronnen vanuit de YAML-configuratie.", - "reload_themes_description": "Herlaadt thema's vanaf de YAML-configuratie.", - "reload_themes": "Herladen thema's.", - "name_of_a_theme": "Naam van het thema.", - "set_the_default_theme": "Standaard thema instellen", - "decrements_a_counter": "Verlaagt een teller.", - "increments_a_counter": "Verhoogt een teller.", - "resets_a_counter": "Reset een teller.", - "sets_the_counter_value": "Stelt de waarde van de teller in.", - "code_description": "Code gebruikt om het slot te ontgrendelen.", - "alarm_arm_vacation_description": "Stelt het alarm in op: _ingeschakeld voor vakantie_.", - "disarms_the_alarm": "Schakelt het alarm uit.", - "alarm_trigger_description": "Schakelt een externe alarmtrigger in.", - "get_weather_forecast": "Weersverwachting ophalen.", - "type_description": "Forecast type: daily, hourly or twice daily.", - "forecast_type": "Forecast type", - "get_forecast": "Voorspelling ophalen", - "get_weather_forecasts": "Get weather forecasts.", - "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", "decrease_speed_description": "Verlaagt de ventilatorsnelheid.", "percentage_step_description": "Verhoogt de snelheid met een percentage stap.", "decrease_speed": "Verlaag snelheid", @@ -3142,38 +2970,278 @@ "speed_of_the_fan": "Snelheid van de ventilator.", "percentage": "Percentage", "set_speed": "Snelheid instellen", + "sets_preset_mode": "Stelt de vooraf ingestelde mode in.", + "set_preset_mode": "Stel de vooraf ingestelde mode in", "toggles_the_fan_on_off": "Schakelt de ventilator aan/uit.", "turns_fan_off": "Ventilator uitschakelen.", "turns_fan_on": "Ventilator inschakelen.", - "locks_a_lock": "Vergrendelt een slot.", - "opens_a_lock": "Opent een slot.", - "unlocks_a_lock": "Ontgrendelt een slot.", - "press_the_button_entity": "Druk op de knop entiteit.", - "bridge_identifier": "Bridge ID", - "configuration_payload": "Configuration payload", - "entity_description": "Represents a specific device endpoint in deCONZ.", - "path": "Pad", - "configure": "Configureer", - "device_refresh_description": "Beschikbare deCONZ apparaten opnieuw ophalen", - "device_refresh": "Apparaten opnieuw ophalen", - "remove_orphaned_entries": "Verweesde vermeldingen verwijderen", + "apply_description": "Activeert een scène met configuratie.", + "entities_description": "Lijst van entiteiten en hun doelstatus.", + "entities_state": "Entiteiten status", + "transition": "Overgang", + "apply": "Toepassen", + "creates_a_new_scene": "Creëert een nieuwe scène.", + "scene_id_description": "De entiteits-ID van de nieuwe scène.", + "scene_entity_id": "Scène entiteit ID", + "snapshot_entities": "Snapshot entiteiten", + "delete_description": "Verwijdert een dynamisch aangemaakte scène.", + "activates_a_scene": "Activeert een scène.", + "selects_the_first_option": "Selecteert de eerste optie.", + "first": "Eerste", + "selects_the_last_option": "Selecteert de laatste optie.", + "select_the_next_option": "Selecteer de volgende optie.", + "selects_an_option": "Selecteert een optie.", + "option_to_be_selected": "Te selecteren optie.", + "selects_the_previous_option": "Selecteert de vorige optie.", + "sets_the_options": "Stelt de opties in.", + "list_of_options": "Lijst met opties.", + "set_options": "Stel opties in", "closes_a_valve": "Closes a valve.", "opens_a_valve": "Opens a valve.", "set_valve_position_description": "Moves a valve to a specific position.", "stops_the_valve_movement": "Stops the valve movement.", "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Commando('s) om te sturen naar Google Assistant", + "command": "Opdracht", + "media_player_entity": "Mediaspeler entiteit", + "send_text_command": "Stuur tekstcommando", + "code_description": "Code gebruikt om het slot te ontgrendelen.", + "alarm_arm_vacation_description": "Stelt het alarm in op: _ingeschakeld voor vakantie_.", + "disarms_the_alarm": "Schakelt het alarm uit.", + "alarm_trigger_description": "Schakelt een externe alarmtrigger in.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media-URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloadt bestand van opgegeven URL.", + "sets_a_random_effect": "Stelt een willekeurig effect in.", + "sequence_description": "Lijst met HSV sequenties (max 16).", + "backgrounds": "Achtergronden", + "initial_brightness": "Initiële helderheid.", + "range_of_brightness": "Bereik van helderheid.", + "brightness_range": "Bereik helderheid", + "fade_off": "Fade uitschakelen", + "range_of_hue": "Bereik van tint.", + "hue_range": "Kleurtint bereik", + "initial_hsv_sequence": "Initiële HSV sequentie.", + "initial_states": "Initiële statussen", + "random_seed": "Willekeurige seed", + "range_of_saturation": "Bereik van verzadiging.", + "saturation_range": "Verzadiging bereik", + "segments_description": "Lijst met segmenten (0 voor alle).", + "segments": "Segmenten", + "range_of_transition": "Bereik van overgang.", + "transition_range": "Overgangsbereik", + "random_effect": "Willekeurig effect", + "sets_a_sequence_effect": "Stelt een sequentie-effect in.", + "repetitions_for_continuous": "Herhalingen (0 voor continu).", + "repeats": "Herhalingen", + "sequence": "Sequentie", + "speed_of_spread": "Snelheid van verspreiden.", + "spread": "Verspreiden", + "sequence_effect": "Sequentie effect", + "press_the_button_entity": "Druk op de knop entiteit.", + "see_description": "Legt een gevolgd apparaat vast.", + "battery_description": "Batterijniveau van het apparaat.", + "gps_coordinates": "GPS coördinaten", + "gps_accuracy_description": "Nauwkeurigheid van de GPS coördinaten.", + "hostname_of_the_device": "Hostnaam van een apparaat", + "hostname": "Hostnaam", + "mac_description": "MAC adres van het apparaat.", + "mac_address": "MAC address", + "see": "Gezien", + "process_description": "Start een conversatie vanuit een getranscribeerde tekst.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Taal om te gebruiken voor het genereren van spraak.", + "transcribed_text_input": "Getranscribeerde tekstinvoer.", + "process": "Verwerk", + "reloads_the_intent_configuration": "Herlaadt de intent configuratie.", + "conversation_agent_to_reload": "Conversatie agent om te herladen.", + "create_description": "Toont een notificatie op het **Notificaties** paneel.", + "message_description": "Bericht van de logboekvermelding.", + "notification_id": "Notificatie ID", + "title_description": "Titel voor de notificatie bericht.", + "dismiss_description": "Verwijdert een notificatie uit het **Notificaties** paneel.", + "notification_id_description": "ID van de notificatie die verwijderd moet worden.", + "dismiss_all_description": "Verwijdert alle notificaties uit het **Notificaties** paneel.", + "notify_description": "Zend een notificatie naar de geselecteerde ontvangers", + "data": "Gegevens", + "title_for_your_notification": "Titel van je notificatie", + "title_of_the_notification": "Titel van de melding.", + "send_a_persistent_notification": "Stuur een blijvende notificatie", + "sends_a_notification_message": "Verstuurt een notificatiebericht", + "your_notification_message": "Jouw notificatiebericht", + "send_a_notification_message": "Stuur een notificatiebericht", + "device_description": "Apparaat-ID waarnaar de opdracht moet worden verzonden.", + "delete_command": "Opdracht verwijderen", + "alternative": "Alternatief", + "command_type_description": "Het soort opdracht dat geleerd moet worden.", + "command_type": "Type opdracht", + "timeout_description": "Time-out voor het leren van de opdracht.", + "learn_command": "Opdracht leren", + "delay_seconds": "Vertraging seconden", + "hold_seconds": "Seconden vasthouden", + "send_command": "Opdracht verzenden", + "toggles_a_device_on_off": "Schakelt een apparaat aan/uit.", + "turns_the_device_off": "Zet het apparaat uit.", + "turn_on_description": "Verstuurt het inschakelcommando.", + "stops_a_running_script": "Stopt een lopend script.", + "locks_a_lock": "Vergrendelt een slot.", + "opens_a_lock": "Opent een slot.", + "unlocks_a_lock": "Ontgrendelt een slot.", + "turns_auxiliary_heater_on_off": "Zet de hulpverwarming aan/uit.", + "aux_heat_description": "Nieuwe waarde van de hulpverwarming.", + "auxiliary_heating": "Hulpverwarming", + "turn_on_off_auxiliary_heater": "Hulpverwarming aan-/uitzetten", + "sets_fan_operation_mode": "Ventilator bedrijfsmode instellen.", + "fan_operation_mode": "Ventilator bedrijfsmode.", + "set_fan_mode": "Ventilatormode instellen", + "sets_target_humidity": "Stelt doelluchtvochtigheid in.", + "set_target_humidity": "Stel doelluchtvochtigheid in", + "sets_hvac_operation_mode": "Stelt de HVAC-bedrijfsmode in.", + "hvac_operation_mode": "HVAC-bedrijfsmodus.", + "set_hvac_mode": "HVAC-mode instellen", + "sets_swing_operation_mode": "Sets swing operation mode.", + "swing_operation_mode": "Zwenkmodus.", + "set_swing_mode": "Stel de swing-modus in", + "sets_target_temperature": "Stelt doeltemperatuur in.", + "high_target_temperature": "Hoge doeltemperatuur.", + "target_temperature_high": "Doeltemperatuur hoog", + "low_target_temperature": "Lage doeltemperatuur.", + "target_temperature_low": "Doeltemperatuur laag", + "set_target_temperature": "Stel de doeltemperatuur in", + "turns_climate_device_off": "Zet klimaatapparaat uit.", + "turns_climate_device_on": "Zet klimaatapparaat aan.", "add_event_description": "Voegt nieuwe gebeurtenis toe aan agenda.", "calendar_id_description": "Het ID van de agenda van je keuze.", "calendar_id": "Agenda ID", "description_description": "Omschrijvung van de gebeurtenis. Optioneel.", "summary_description": "Gedraagt zich als de titel van de gebeurtenis.", "creates_event": "Maakt gebeurtenis aan", + "dashboard_path": "Dashboard pad", + "view_path": "Pad bekijken", + "show_dashboard_view": "Dashboardweergave weergeven", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Zet een of meerdere lampen uit.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Topic om naar te luisteren.", + "topic": "Topic", + "export": "Exporteren", + "publish_description": "Publiceert een bericht naar een MQTT-topic.", + "the_payload_to_publish": "Het bericht om te publiceren.", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Vasthouden", + "topic_to_publish_to": "Topic om naar te publiceren.", + "publish": "Publiceer", + "selects_the_next_option": "Selecteert de volgende optie.", "ptz_move_description": "Beweeg de camera met een specifieke snelheid.", "ptz_move_speed": "PTZ bewegingssnelheid.", "ptz_move": "PTZ beweging", + "log_description": "Maakt een aangepaste vermelding in het logboek.", + "entity_id_description": "Mediaspelers om het bericht af te spelen.", + "log": "Log", + "toggles_a_switch_on_off": "Schakelt een schakelaar aan/uit.", + "turns_a_switch_off": "Zet een schakelaar uit.", + "turns_a_switch_on": "Zet een schakelaar aan.", + "reload_themes_description": "Herlaadt thema's vanaf de YAML-configuratie.", + "reload_themes": "Herladen thema's.", + "name_of_a_theme": "Naam van het thema.", + "set_the_default_theme": "Standaard thema instellen", + "toggles_the_helper_on_off": "Schakelt de helper in/uit.", + "turns_off_the_helper": "Schakelt de helper uit.", + "turns_on_the_helper": "Schakelt de helper in.", + "decrements_a_counter": "Verlaagt een teller.", + "increments_a_counter": "Verhoogt een teller.", + "resets_a_counter": "Reset een teller.", + "sets_the_counter_value": "Stelt de waarde van de teller in.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", + "get_weather_forecast": "Weersverwachting ophalen.", + "type_description": "Forecast type: daily, hourly or twice daily.", + "forecast_type": "Forecast type", + "get_forecast": "Voorspelling ophalen", + "get_weather_forecasts": "Get weather forecasts.", + "get_forecasts": "Get forecasts", + "disables_the_motion_detection": "Schakelt de bewegingsdetectie uit.", + "disable_motion_detection": "Bewegingsdetectie uitschakelen", + "enables_the_motion_detection": "Schakelt de bewegingsdetectie in.", + "enable_motion_detection": "Bewegingsdetectie inschakelen", + "format_description": "Streamformaat ondersteund door de mediaspeler.", + "format": "Formaat", + "media_player_description": "Mediaspelers om naar te streamen.", + "play_stream": "Stream afspelen", + "filename": "Bestandsnaam", + "lookback": "Terugblik", + "snapshot_description": "Maakt een momentopname van een camera.", + "take_snapshot": "Maak een momentopname", + "turns_off_the_camera": "Zet de camera uit.", + "turns_on_the_camera": "Zet de camera aan.", + "clear_tts_cache": "TTS-cache wissen", + "cache": "Cache", + "options_description": "Een woordenboek met integratiespecifieke opties.", + "say_a_tts_message": "Zeg een TTS-bericht", + "speak": "Spreek", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", "set_datetime_description": "Stelt de datum en/of tijd in.", "the_target_date": "De doeldatum.", "datetime_description": "De doeldatum en -tijd.", - "date_time": "Datum & tijd", - "the_target_time": "De doeltijd." + "the_target_time": "De doeltijd.", + "bridge_identifier": "Bridge ID", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Pad", + "configure": "Configureer", + "device_refresh_description": "Beschikbare deCONZ apparaten opnieuw ophalen", + "device_refresh": "Apparaten opnieuw ophalen", + "remove_orphaned_entries": "Verweesde vermeldingen verwijderen", + "removes_a_group": "Verwijdert een groep.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Maakt/Update een gebruikersgroep.", + "add_entities": "Entiteiten toevoegen", + "icon_description": "Naam van het pictogram voor de groep.", + "name_of_the_group": "Naam van de groep.", + "remove_entities": "Verwijder entiteiten", + "cancels_a_timer": "Annuleert een timer.", + "changes_a_timer": "Wijzigt een timer.", + "finishes_a_timer": "Voltooien van een timer.", + "pauses_a_timer": "Pauzeert een timer.", + "starts_a_timer": "Start een timer.", + "duration_description": "Duur die de timer nodig heeft om te voltooien. [optioneel].", + "set_default_level_description": "Stelt het standaard logniveau voor integraties in.", + "level_description": "Standaard logniveau voor alle integraties.", + "set_default_level": "Stel net standaardniveau in", + "set_level": "Niveau instellen", + "clear_skipped_update": "Overgeslagen updates wissen", + "install_update": "Update installeren", + "skip_description": "Markeert de momenteel beschikbare update als overgeslagen.", + "skip_update": "Update overslaan" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/nn/nn.json b/packages/core/src/hooks/useLocale/locales/nn/nn.json index 5494267..6724df8 100644 --- a/packages/core/src/hooks/useLocale/locales/nn/nn.json +++ b/packages/core/src/hooks/useLocale/locales/nn/nn.json @@ -1,7 +1,7 @@ { "energy": "Energy", "calendar": "Kalendar", - "settings": "Innstillinger", + "settings": "Settings", "overview": "Oversikt", "map": "Map", "logbook": "Logbook", @@ -106,7 +106,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Søk i media", @@ -185,6 +185,7 @@ "loading": "Lastar inn…", "refresh": "Oppdater", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplikat kort", "remove": "Remove", @@ -227,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -240,6 +244,7 @@ "date_and_time": "Dato og tid", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -278,6 +283,7 @@ "was_opened": "blei opna", "was_closed": "blei lukka", "is_opening": "opnar", + "is_opened": "is opened", "is_closing": "stenger", "was_unlocked": "blei låst opp", "was_locked": "vart låst", @@ -327,10 +333,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Samtale-agent", "none": "None", "country": "Country", @@ -340,7 +349,7 @@ "no_theme": "Ingen tema", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Tekst-til-tale", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "Ingen brukar", "add_user": "Legg til brukar", @@ -379,7 +388,6 @@ "ui_components_area_picker_add_dialog_text": "Legg til namnet til det nye området.", "ui_components_area_picker_add_dialog_title": "Legg til nytt område", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -456,6 +464,9 @@ "last_month": "Førre månad", "this_year": "I år", "last_year": "I fjor", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Aldri", "history_integration_disabled": "Historieintegrasjon deaktivert", "loading_state_history": "Lastar tilstandshistoria…", @@ -487,6 +498,10 @@ "filtering_by": "FIltrerer etter", "number_hidden": "{number} skjult", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Kjønn", "male": "Mann", @@ -740,7 +755,7 @@ "default_code": "Standardkode", "editor_default_code_error": "Koda matcher ikkje kodeformatet", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -823,7 +838,7 @@ "restart_home_assistant": "Starte Home Assistant på nytt?", "advanced_options": "Advanced options", "quick_reload": "Last om", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Kunne ikkje laste om konfigurasjonen", "restart_description": "Interrupts all running automations and scripts.", @@ -997,7 +1012,6 @@ "notification_toast_no_matching_link_found": "Ingen samsvar Min link funne for {path}", "app_configuration": "App-konfigurasjon", "sidebar_toggle": "Vis/Skjul sidepanel", - "done": "Done", "hide_panel": "Skjul panel", "show_panel": "Vis panel", "show_more_information": "Vis meir informasjon", @@ -1095,9 +1109,11 @@ "view_configuration": "Vis konfigurasjon", "name_view_configuration": "{name} Vis konfigurasjon", "add_view": "Legg til side", + "background_title": "Add a background to the view", "edit_view": "Rediger sida", "move_view_left": "Flytt visninga til venstre", "move_view_right": "Flytt visninga til høgre", + "background": "Background", "badges": "Merker", "view_type": "Visningstype", "masonry_default": "Murverk (standard)", @@ -1106,8 +1122,8 @@ "sections_experimental": "Sections (experimental)", "subview": "Subview", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Rediger i visuell editor", - "edit_in_yaml": "Rediger i YAML", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Saving failed", "card_configuration": "Kortkonfigurasjon", "type_card_configuration": "{type} Kortkonfigurasjon", @@ -1128,6 +1144,8 @@ "increase_card_position": "Increase card position", "more_options": "Fleire alternativ", "search_cards": "Søk på kort", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Kva kort vil du legge til i {name}-visninga?", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Vel ei visning", @@ -1141,8 +1159,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "Vi har laga eit forslag til deg", "pick_different_card": "Velg eit anna kort", "add_to_dashboard": "Legg til i dashboard", @@ -1367,178 +1384,122 @@ "warning_entity_unavailable": "Oppføring er for augneblinken utilgjengeleg: {entity}", "invalid_timestamp": "Ugyldig tidsstempel", "invalid_display_format": "Ugyldig visningsformat", + "now": "Now", "compare_data": "Sammenlign data", "reload_ui": "Last inn brukargrensesnittet på nytt", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Sone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tags", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tags", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1559,14 +1520,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1582,34 +1578,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1619,6 +1667,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1676,23 +1727,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1706,6 +1760,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1714,6 +1769,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1721,79 +1777,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "Ingen lys", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1815,77 +1879,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1897,15 +1895,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1928,62 +1984,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "Ingen lys", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1999,39 +2074,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2055,8 +2131,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2064,10 +2141,34 @@ "service_received": "Service received", "discovered_esphome_node": "Fann ESPhome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Brua er allereie konfigurert", + "no_deconz_bridges_discovered": "Oppdaga ingen deCONZ-bruer", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Kunne ikkje få ein API-nøkkel", + "link_with_deconz": "Link med deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2080,82 +2181,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Namnet eksisterar allereie", - "passive": "Passive", - "define_zone_parameters": "Definer soneparameterar", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Namnet eksisterar allereie", + "passive": "Passive", + "define_zone_parameters": "Definer soneparameterar", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Brua er allereie konfigurert", - "no_deconz_bridges_discovered": "Oppdaga ingen deCONZ-bruer", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Kunne ikkje få ein API-nøkkel", - "link_with_deconz": "Link med deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2238,6 +2307,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2251,106 +2337,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2358,8 +2375,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2379,7 +2398,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2398,12 +2527,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2448,6 +2591,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2486,137 +2630,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2747,16 +2824,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2791,122 +2963,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2914,6 +3028,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2925,10 +3155,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2940,75 +3167,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3016,187 +3193,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3205,23 +3269,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/pl/pl.json b/packages/core/src/hooks/useLocale/locales/pl/pl.json index 3de173d..22f9dee 100644 --- a/packages/core/src/hooks/useLocale/locales/pl/pl.json +++ b/packages/core/src/hooks/useLocale/locales/pl/pl.json @@ -63,7 +63,7 @@ "name_heating": "{name} grzanie", "name_cooling": "{name} chłodzenie", "high": "wysoki", - "low": "rozładowana", + "low": "niski", "mode": "Mode", "preset": "Ustawienie", "action_to_target": "{action} do celu", @@ -81,7 +81,7 @@ "stop_cover": "Zatrzymaj", "preset_mode": "Preset mode", "oscillate": "Oscillate", - "direction": "Kierunek", + "direction": "Direction", "forward": "Forward", "reverse": "Reverse", "medium": "średni", @@ -106,7 +106,8 @@ "unlock": "Unlock", "open_door": "Open door", "really_open": "Naprawdę otworzyć?", - "door_open": "Drzwi otwarte", + "done": "Done", + "ui_card_lock_open_door_success": "Drzwi otwarte", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Przeglądaj media", @@ -136,8 +137,8 @@ "idle": "brak aktywności", "run_script": "Uruchom skrypt", "option": "Option", - "installing": "Instalowanie", - "installing_progress": "Instalowanie ({progress}%)", + "installing": "instalacja", + "installing_progress": "instalacja ({progress}%)", "up_to_date": "brak aktualizacji", "empty_value": "(pusta wartość)", "start": "Start", @@ -184,6 +185,7 @@ "loading": "Wczytywanie…", "refresh": "Odśwież", "delete": "Delete", + "delete_all": "Usuń wszystko", "download": "Download", "duplicate": "Duplikuj", "remove": "Remove", @@ -222,6 +224,9 @@ "media_content_type": "Media content type", "upload_failed": "Przesyłanie nie powiodło się", "unknown_file": "Nieznany plik", + "select_image": "Wybierz obraz", + "upload_picture": "Prześlij obraz", + "image_url": "Lokalna ścieżka lub adres URL", "latitude": "Szerokość geograficzna", "longitude": "Długość geograficzna", "radius": "Promień", @@ -235,6 +240,7 @@ "date_and_time": "Data i czas", "duration": "Duration", "entity": "Encja", + "floor": "Piętro", "icon": "Icon", "location": "Lokalizacja", "number": "liczba", @@ -273,6 +279,7 @@ "was_opened": "nastąpiło otwarcie", "was_closed": "nastąpiło zamknięcie", "is_opening": "otwiera się", + "opened": "otwarty", "is_closing": "zamyka się", "is_jammed": "zablokował się", "was_detected_at_home": "nastąpiła zmiana statusu na \"w domu\"", @@ -315,10 +322,13 @@ "sort_by_sortcolumn": "Sortuj według {sortColumn}", "group_by_groupcolumn": "Grupuj według {groupColumn}", "don_t_group": "Nie grupuj", + "collapse_all": "Zwiń wszystko", + "expand_all": "Rozwiń wszystko", "selected_selected": "Wybrane {selected}", "close_selection_mode": "Zamknij tryb wyboru", "select_all": "Wybierz wszystko", "select_none": "Nie wybieraj żadnego", + "customize_table": "Dostosuj tabelę", "conversation_agent": "Agent konwersacji", "country": "Kraj", "assist": "Asystent", @@ -327,7 +337,7 @@ "no_theme": "Bez motywu", "language": "Language", "no_languages_available": "Brak dostępnych języków", - "text_to_speech": "Zamiana tekstu na mowę", + "text_to_speech": "Text to speech", "voice": "Głos", "no_user": "Brak użytkownika", "add_user": "Dodaj użytkownika", @@ -365,7 +375,6 @@ "ui_components_area_picker_add_dialog_text": "Wprowadź nazwę nowego obszaru.", "ui_components_area_picker_add_dialog_title": "Dodaj nowy obszar", "show_floors": "Pokaż piętra", - "floor": "Piętro", "add_new_floor_name": "Dodaj nowe piętro \"{name}\"", "add_new_floor": "Dodaj nowe piętro…", "floor_picker_no_floors": "Nie masz żadnych pięter", @@ -445,6 +454,9 @@ "last_month": "Poprzedni miesiąc", "this_year": "Ten rok", "last_year": "Poprzedni rok", + "reset_to_default_size": "Przywróć domyślny rozmiar", + "number_of_columns": "Liczba kolumn", + "number_of_rows": "Liczba wierszy", "never": "nigdy", "history_integration_disabled": "Integracja historia wyłączona", "loading_state_history": "Wczytywanie historii…", @@ -476,6 +488,10 @@ "filtering_by": "Filtrowanie przez", "number_hidden": "{number} ukryte(-ych)", "ungrouped": "Bez kategorii", + "customize": "Dostosuj", + "hide_column_title": "Ukryj kolumnę {title}", + "show_column_title": "Pokaż kolumnę {title}", + "restore_defaults": "Przywróć domyślne", "message": "Message", "gender": "Płeć", "male": "Mężczyzna", @@ -512,7 +528,7 @@ "episode": "Odcinek", "game": "gra", "genre": "gatunek", - "image": "obraz", + "image": "Obraz", "movie": "film", "music": "muzyka", "playlist": "Lista odtwarzania", @@ -727,7 +743,7 @@ "default_code": "Domyślny kod", "editor_default_code_error": "Kod nie jest zgodny z formatem kodu", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Jednostka miary", "precipitation_unit": "Jednostka opadów atmosferycznych", "display_precision": "Precyzja", "default_value": "Domyślna ({value})", @@ -809,7 +825,7 @@ "restart_home_assistant": "Uruchomić ponownie Home Assistanta?", "advanced_options": "Advanced options", "quick_reload": "Szybkie przeładowanie", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Ponowne wczytanie konfiguracji", "failed_to_reload_configuration": "Nie udało się ponownie wczytać konfiguracji", "restart_description": "Przerywa wszystkie uruchomione automatyzacje i skrypty.", @@ -985,7 +1001,6 @@ "notification_toast_no_matching_link_found": "Nie znaleziono pasującego Mojego linku dla {path}", "app_configuration": "Konfiguracja aplikacji", "sidebar_toggle": "Przełącz pasek boczny", - "done": "Done", "hide_panel": "Ukryj panel", "show_panel": "Pokaż panel", "show_more_detail": "Pokaż więcej informacji", @@ -1083,9 +1098,11 @@ "view_configuration": "Konfiguracja widoku", "name_view_configuration": "Konfiguracja widoku {name}", "add_view": "Dodaj widok", + "background_title": "Dodaj tło do widoku", "edit_view": "Edytuj widok", "move_view_left": "Przesuń widok w lewo", "move_view_right": "Przesuń widok w prawo", + "background": "Tło", "badges": "Odznaki", "view_type": "Typ widoku", "masonry_default": "Kafelki (domyślny)", @@ -1094,8 +1111,8 @@ "sections_experimental": "Sekcje (eksperymentalne)", "subview": "Widok podrzędny", "max_number_of_columns": "Maksymalna liczba kolumn", - "edit_in_visual_editor": "Edytuj w edytorze wizualnym", - "edit_in_yaml": "Edycja w YAML", + "edit_in_visual_editor": "Edytor wizualny", + "edit_in_yaml": "Edytor YAML", "saving_failed": "Zapisywanie nie powiodło się", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Nie możesz zmienić swojego widoku na inny typ, ponieważ migracja nie jest jeszcze obsługiwana. Zacznij od początku z nowym widokiem, jeśli chcesz użyć innego typu widoku.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Nie możesz zmienić swojego widoku na typ 'sekcje', ponieważ migracja nie jest jeszcze obsługiwana. Zacznij od nowa z nowym widokiem, jeśli chcesz eksperymentować z widokiem 'sekcje'.", @@ -1118,6 +1135,8 @@ "increase_card_position": "Zwiększ pozycję karty", "more_options": "Więcej opcji", "search_cards": "Szukaj kart", + "config": "Konfiguracja", + "layout": "Układ", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Którą kartę chcesz dodać do widoku {name}?", "move_card_error_title": "Nie można przenieść karty", "choose_a_view": "Wybierz widok", @@ -1136,8 +1155,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} i wszystkie jej karty zostaną usunięte.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} zostanie usunięty.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Ta sekcja", - "edit_name": "Edycja nazwy", - "add_name": "Dodaj nazwę", + "edit_section": "Edytuj sekcję", "suggest_card_header": "Stworzyliśmy dla Ciebie sugestię", "pick_different_card": "Wybierz inną kartę", "add_to_dashboard": "Dodaj do dashboardu", @@ -1157,8 +1175,8 @@ "condition_did_not_pass": "Warunek nie został spełniony", "invalid_configuration": "Nieprawidłowa konfiguracja", "entity_numeric_state": "Stan numeryczny encji", - "above": "Powyżej", - "below": "Poniżej", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Rozmiar ekranu", "mobile": "Smartfon", @@ -1202,9 +1220,9 @@ "render_cards_as_squares": "Renderuj karty jako kwadraty", "history_graph": "Wykres historii", "logarithmic_scale": "Skala logarytmiczna", - "y_axis_minimum": "Y axis minimum", - "y_axis_maximum": "Y axis maximum", - "history_graph_fit_y_data": "Extend Y axis limits to fit data", + "y_axis_minimum": "Minimum na osi Y", + "y_axis_maximum": "Maksimum na osi Y", + "history_graph_fit_y_data": "Rozszerz granice osi Y, aby dopasować dane", "statistics_graph": "Wykres statystyk", "period": "Okres", "unit": "Jednostka", @@ -1252,7 +1270,6 @@ "markdown": "Markdown", "content": "Zawartość", "media_control": "Kontrola mediów", - "picture": "Obraz", "picture_elements": "Elementy obrazu", "picture_glance": "Podgląd obrazu", "state_entity": "Encja stanu", @@ -1285,7 +1302,7 @@ "cover_tilt": "Pochylenie", "cover_tilt_position": "Pozycja pochylenia", "alarm_modes": "Tryby alarmu", - "customize_alarm_modes": "Customize alarm modes", + "customize_alarm_modes": "Dostosuj tryby alarmu", "light_brightness": "Jasność światła", "light_color_temperature": "Temperatura barwowa światła", "lock_commands": "Lock commands", @@ -1296,27 +1313,27 @@ "style": "Styl", "dropdown": "Lista rozwijana", "icons": "Ikony", - "customize_fan_modes": "Customize fan modes", + "customize_fan_modes": "Dostosuj tryby wentylatora", "fan_modes": "Tryby/biegi wentylatora", "climate_swing_modes": "Climate swing modes", "swing_modes": "Tryby ruchu nawiewu", - "customize_swing_modes": "Customize swing modes", + "customize_swing_modes": "Dostosuj tryby funkcji kierunku przepływu powietrza", "climate_hvac_modes": "Tryby klimatyzacji", "hvac_modes": "Tryby HVAC", - "customize_hvac_modes": "Customize HVAC modes", + "customize_hvac_modes": "Dostosuj tryby HVAC", "climate_preset_modes": "Dostępne tryby", - "customize_preset_modes": "Customize preset modes", + "customize_preset_modes": "Dostosuj predefiniowane tryby", "preset_modes": "Gotowe tryby", "fan_preset_modes": "Gotowe tryby wentylatora", "humidifier_toggle": "Przełącznik nawilżacza", "humidifier_modes": "Tryby nawilżacza", - "customize_modes": "Customize modes", + "customize_modes": "Dostosuj tryby", "select_options": "Wybór opcji", - "customize_options": "Customize options", + "customize_options": "Dostosuj opcje", "numeric_input": "Wartość numeryczna", "water_heater_operation_modes": "Tryby działania podgrzewacza wody", "operation_modes": "Tryby działania", - "customize_operation_modes": "Customize operation modes", + "customize_operation_modes": "Dostosuj tryby działania", "update_actions": "Aktualizuj akcje", "backup": "Backup", "ask": "Zapytaj", @@ -1354,182 +1371,129 @@ "ui_panel_lovelace_editor_color_picker_colors_teal": "Niebieskawozielony", "ui_panel_lovelace_editor_color_picker_colors_white": "Biały", "ui_panel_lovelace_editor_color_picker_colors_yellow": "Żółty", + "ui_panel_lovelace_editor_edit_section_title_title": "Edycja nazwy", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Dodaj nazwę", "warning_attribute_not_found": "Atrybut {attribute} jest niedostępny dla: {entity}", "entity_not_available_entity": "Encja niedostępna: {entity}", "entity_is_non_numeric_entity": "Encja nie jest numeryczna: {entity}", "warning_entity_unavailable": "Encja obecnie niedostępna: {entity}", "invalid_timestamp": "Nieprawidłowy znacznik czasu", "invalid_display_format": "Nieprawidłowy format czasu", + "now": "Teraz", "compare_data": "Porównaj dane", "reload_ui": "Wczytaj ponownie Lovelace", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grupa", - "timer": "Timer", - "zone": "Strefa", - "schedule": "Harmonogram", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Pole wartości logicznej", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Rozmowa", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Przycisk", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Panel kontrolny alarmu", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Wentylator", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Śledzenie urządzeń", + "trace": "Trace", + "stream": "Stream", + "person": "Osoba", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Pole wartości logicznej", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Pole daty i czasu", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tag", + "diagnostics": "Diagnostyka", + "siren": "Syrena", + "fitbit": "Fitbit", + "automation": "Automatyzacja", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Zawór", + "assist_pipeline": "Assist Pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Skrypt", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Klimat", + "conversation": "Rozmowa", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Rozmiar pliku", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Poświadczenia aplikacji", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Pole numeryczne", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Pole tekstowe", - "rpi_power_title": "Kontroler zasilacza Raspberry Pi", - "weather": "Pogoda", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grupa", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Harmonogram", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Pilot", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Kontroler zasilacza Raspberry Pi", + "script": "Skrypt", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Śledzenie urządzeń", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Pogoda", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Pilot", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Pole numeryczne", + "binary_sensor": "Sensor binarny", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "wentylator", + "scene": "Scene", + "input_select": "Pole wyboru", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Klimat", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Licznik", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Aplikacja mobilna", - "diagnostics": "Diagnostyka", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Osoba", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tag", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Syrena", - "input_select": "Pole wyboru", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Poświadczenia aplikacji", "logger": "Logger", - "assist_pipeline": "Assist Pipeline", - "automation": "Automatyzacja", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Przycisk", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Licznik", - "binary_sensor": "Sensor binarny", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Zawór", - "os_agent_version": "Wersja agenta systemu operacyjnego", - "apparmor_version": "Wersja apparmor", - "cpu_percent": "Procent procesora", - "disk_free": "Pojemność wolna", - "disk_total": "Pojemność dysku", - "disk_used": "Pojemność użyta", - "memory_percent": "Procent pamięci", - "version": "Version", - "newest_version": "Najnowsza wersja", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Całkowite zużycie", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "Napięcie {device_name}", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Indeks jakości powietrza", - "illuminance": "Natężenie oświetlenia", - "noise": "Hałas", - "overload": "Przeciążenie", - "voltage": "Napięcie", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Pomoc w toku", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "preferred": "preferowane", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Poziom baterii", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Połączenie aktywne", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "duży wyciek", "mild": "mały wyciek", "button_down": "przycisk wciśnięty", @@ -1549,17 +1513,51 @@ "closed": "zamknięto", "closing": "zamykanie", "failure": "awaria", - "opened": "otwarty", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "podłączono", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", - "screen_off_timer": "Screen off timer", + "battery_level": "Poziom baterii", + "os_agent_version": "Wersja agenta systemu operacyjnego", + "apparmor_version": "Wersja apparmor", + "cpu_percent": "Procent procesora", + "disk_free": "Pojemność wolna", + "disk_total": "Pojemność dysku", + "disk_used": "Pojemność użyta", + "memory_percent": "Procent pamięci", + "version": "Version", + "newest_version": "Najnowsza wersja", + "next_dawn": "Następny świt", + "next_dusk": "Następny zmierzch", + "next_midnight": "Następna północ", + "next_noon": "Następne południe", + "next_rising": "Następny wschód", + "next_setting": "Następny zachód", + "solar_azimuth": "Azymut słoneczny", + "solar_elevation": "Wysokość słońca", + "solar_rising": "Wschód słońca", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Pomoc w toku", + "preferred": "preferowane", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "podłączono", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", "screensaver_timer": "Screensaver timer", "current_page": "Current page", @@ -1573,33 +1571,84 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Wykrywanie ruchu", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Następny świt", - "next_dusk": "Następny zmierzch", - "next_midnight": "Następna północ", - "next_noon": "Następne południe", - "next_rising": "Następny wschód", - "next_setting": "Następny zachód", - "solar_azimuth": "Azymut słoneczny", - "solar_elevation": "Wysokość słońca", - "solar_rising": "Wschód słońca", - "calibration": "Kalibracja", - "auto_lock_paused": "Automatyczne zamykanie wstrzymane", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Sygnał Bluetooth", - "light_level": "Poziom światła", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "dostępna aktualizacja", + "dry": "Dry", + "wet": "wykryto", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Całkowite zużycie", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Siła sygnału", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Napięcie", + "device_name_voltage": "Napięcie {device_name}", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Proces {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "Adres IPv6 {ip_address}", + "last_boot": "Ostatnie uruchomienie", + "load_m": "Obciążenie (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Temperatura procesora", + "processor_use": "Obciążenie procesora", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Indeks jakości powietrza", + "illuminance": "Natężenie oświetlenia", + "noise": "Hałas", + "overload": "Przeciążenie", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", "animal_lens": "Animal lens 1", "face": "Face", @@ -1610,6 +1659,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1667,6 +1719,7 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", "auto_track_method": "Auto track method", @@ -1675,15 +1728,16 @@ "pan_tilt_first": "najpierw pochylenie/przesunięcie", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "auto i zawsze włączona w nocy", + "stay_off": "wyłączona", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "auto i zawsze włączona w nocy", - "stay_off": "wyłączona", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1697,6 +1751,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Sygnał Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1705,6 +1760,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1712,82 +1768,84 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Proces {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "Adres IPv6 {ip_address}", - "last_boot": "Ostatnie uruchomienie", - "load_m": "Obciążenie (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Temperatura procesora", - "processor_use": "Obciążenie procesora", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Urządzenia śledzące", - "gps_accuracy": "GPS accuracy", + "call_active": "Połączenie aktywne", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Kalibracja", + "auto_lock_paused": "Automatyczne zamykanie wstrzymane", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Sygnał Bluetooth", + "light_level": "Poziom światła", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "automatyczny", + "step": "Krok", + "apparent_power": "Moc pozorna", + "carbon_dioxide": "Dwutlenek węgla", + "data_rate": "Prędkość transmisji danych", + "distance": "Odległość", + "stored_energy": "Energia zmagazynowana", + "frequency": "Częstotliwość", + "irradiance": "Natężenie promieniowania", + "nitrogen_dioxide": "Dwutlenek azotu", + "nitrogen_monoxide": "Tlenek azotu", + "nitrous_oxide": "Podtlenek azotu", + "ozone": "Ozon", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Współczynnik mocy", + "precipitation_intensity": "Intensywność opadu atmosferycznego", + "pressure": "Ciśnienie", + "reactive_power": "Moc reaktywna", + "sound_pressure": "Ciśnienie akustyczne", + "speed": "Speed", + "sulphur_dioxide": "Dwutlenek siarki", + "vocs": "Lotne związki organiczne", + "volume_flow_rate": "Wskaźnik przepływu", + "stored_volume": "Zmagazynowana objętość", + "weight": "Waga", + "available_tones": "Dostępne tony", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Zarządzanie przez UI", + "next_event": "Następne wydarzenie", + "stopped": "Zatrzymany", "running_automations": "Uruchomione automatyzacje", - "max_running_scripts": "Maksymalnie uruchomionych skryptów", + "id": "ID", + "max_running_automations": "Maksymalnie uruchomionych automatyzacji", "run_mode": "Tryb uruchamiania", "parallel": "równoległy", "queued": "kolejka", "single": "pojedynczy", - "end_time": "End time", - "start_time": "Start time", - "recording": "nagrywanie", - "streaming": "strumieniowanie", - "access_token": "Token dostępu", - "brand": "Marka", - "stream_type": "Typ strumienia", - "hls": "HLS", - "webrtc": "webRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Grzałka pomocnicza", - "current_humidity": "Aktualna wilgotność", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "rozproszony nawiew", - "middle": "pośredni", - "top": "nawiew górny", - "current_action": "Bieżące działanie", - "cooling": "chłodzenie", - "drying": "osuszanie", - "heating": "grzanie", - "preheating": "Preheating", - "max_target_humidity": "Maksymalna wilgotność docelowa", - "max_target_temperature": "Maksymalna temperatura docelowa", - "min_target_humidity": "Minimalna wilgotność docelowa", - "min_target_temperature": "Minimalna temperatura docelowa", - "boost": "turbo", - "comfort": "komfort", - "eco": "eko", - "sleep": "sen", - "swing_mode": "Swing mode", - "both": "ruch w obu płaszczyznach", - "horizontal": "ruch poziomy", - "upper_target_temperature": "Górna temperatura docelowa", - "lower_target_temperature": "Dolna temperatura docelowa", - "target_temperature_step": "Krok temperatury docelowej", - "buffering": "buforowanie", - "paused": "wstrzymano", - "playing": "odtwarzanie", - "standby": "tryb czuwania", + "not_charging": "brak ładowania", + "disconnected": "offline", + "connected": "online", + "hot": "gorąco", + "unlocked": "otwarto", + "not_moving": "brak ruchu", + "unplugged": "odłączono", + "not_running": "nie działa", + "unsafe": "zagrożenie", + "tampering_detected": "Tampering detected", + "buffering": "buforowanie", + "paused": "wstrzymano", + "playing": "odtwarzanie", + "standby": "tryb czuwania", "app_id": "Identyfikator aplikacji", "local_accessible_entity_picture": "Obraz encji dostępny lokalnie", "group_members": "Group members", @@ -1805,71 +1863,10 @@ "receiver": "Odbiornik", "speaker": "Głośnik", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "tylko jasność", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Temperatura barwowa (mired)", - "color_temperature_kelvin": "Temperatura barwowa (Kelwin)", - "available_effects": "Dostępne efekty", - "maximum_color_temperature_kelvin": "Maksymalna temperatura barwowa (Kelwin)", - "maximum_color_temperature_mireds": "Maksymalna temperatura barwowa (mired)", - "minimum_color_temperature_kelvin": "Minimalna temperatura barwowa (Kelwin)", - "minimum_color_temperature_mireds": "Minimalna temperatura barwowa (mired)", - "available_color_modes": "Dostępne tryby koloru", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Dostępne tony", - "unlocked": "otwarto", - "members": "Encje", - "managed_via_ui": "Zarządzanie przez UI", - "id": "ID", - "max_running_automations": "Maksymalnie uruchomionych automatyzacji", - "finishes_at": "Zakończenie", - "remaining": "Pozostało", - "next_event": "Następne wydarzenie", - "update_available": "dostępna aktualizacja", - "auto_update": "Automatyczna aktualizacja", - "in_progress": "w toku", - "installed_version": "Zainstalowana wersja", - "latest_version": "Ostatnia wersja", - "release_summary": "Podsumowanie wydania", - "release_url": "URL informacji o wydaniu", - "skipped_version": "Pominięta wersja", - "firmware": "Firmware", - "automatic": "automatyczny", - "step": "Krok", - "apparent_power": "Moc pozorna", - "carbon_dioxide": "Dwutlenek węgla", - "data_rate": "Prędkość transmisji danych", - "distance": "Odległość", - "stored_energy": "Energia zmagazynowana", - "frequency": "Częstotliwość", - "irradiance": "Natężenie promieniowania", - "nitrogen_dioxide": "Dwutlenek azotu", - "nitrogen_monoxide": "Tlenek azotu", - "nitrous_oxide": "Podtlenek azotu", - "ozone": "Ozon", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Współczynnik mocy", - "precipitation_intensity": "Intensywność opadu atmosferycznego", - "pressure": "Ciśnienie", - "reactive_power": "Moc reaktywna", - "signal_strength": "Siła sygnału", - "sound_pressure": "Ciśnienie akustyczne", - "speed": "Speed", - "sulphur_dioxide": "Dwutlenek siarki", - "vocs": "Lotne związki organiczne", - "volume_flow_rate": "Wskaźnik przepływu", - "stored_volume": "Zmagazynowana objętość", - "weight": "Waga", - "stopped": "Zatrzymany", - "pattern": "Wzór", + "above_horizon": "powyżej horyzontu", + "below_horizon": "poniżej horyzontu", + "oscillating": "Oscillating", + "speed_step": "Krok prędkości", "armed_away": "uzbrojony (poza domem)", "armed_custom_bypass": "uzbrojony (własny bypass)", "armed_home": "uzbrojony (w domu)", @@ -1881,15 +1878,71 @@ "code_for_arming": "Kod uzbrojenia", "not_required": "nie wymagany", "code_format": "Format kodu", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Urządzenia śledzące", + "max_running_scripts": "Maksymalnie uruchomionych skryptów", + "jammed": "zacięcie", + "unlocking": "otwieranie", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Grzałka pomocnicza", + "current_humidity": "Aktualna wilgotność", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "rozproszony nawiew", + "middle": "pośredni", + "top": "nawiew górny", + "current_action": "Bieżące działanie", + "cooling": "chłodzenie", + "drying": "osuszanie", + "heating": "grzanie", + "preheating": "Preheating", + "max_target_humidity": "Maksymalna wilgotność docelowa", + "max_target_temperature": "Maksymalna temperatura docelowa", + "min_target_humidity": "Minimalna wilgotność docelowa", + "min_target_temperature": "Minimalna temperatura docelowa", + "boost": "turbo", + "comfort": "komfort", + "eco": "eko", + "sleep": "sen", + "swing_mode": "Swing mode", + "both": "ruch w obu płaszczyznach", + "horizontal": "ruch poziomy", + "upper_target_temperature": "Górna temperatura docelowa", + "lower_target_temperature": "Dolna temperatura docelowa", + "target_temperature_step": "Krok temperatury docelowej", "last_reset": "Ostatni reset", "possible_states": "Możliwe stany", "state_class": "Klasa stanu", "measurement": "pomiar", "total": "całkowita", "total_increasing": "całkowita, wzrastająca", + "conductivity": "Conductivity", "data_size": "Wielkość danych", "balance": "Saldo", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "tylko jasność", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Temperatura barwowa (mired)", + "color_temperature_kelvin": "Temperatura barwowa (Kelwin)", + "available_effects": "Dostępne efekty", + "maximum_color_temperature_kelvin": "Maksymalna temperatura barwowa (Kelwin)", + "maximum_color_temperature_mireds": "Maksymalna temperatura barwowa (mired)", + "minimum_color_temperature_kelvin": "Minimalna temperatura barwowa (Kelwin)", + "minimum_color_temperature_mireds": "Minimalna temperatura barwowa (mired)", + "available_color_modes": "Dostępne tryby koloru", "clear_night": "pogodna noc", "cloudy": "pochmurno", "exceptional": "warunki nadzwyczajne", @@ -1906,62 +1959,85 @@ "windy": "wietrznie", "windy_cloudy": "Windy, cloudy", "apparent_temperature": "Odczuwalna temperatura", - "cloud_coverage": "Zachmurzenie", + "cloud_coverage": "Pokrywa chmur", "dew_point_temperature": "Temperatura punktu rosy", "pressure_unit": "Jednostka ciśnienia", "uv_index": "UV index", "wind_bearing": "Kierunek wiatru", "wind_gust_speed": "Wind gust speed", - "above_horizon": "powyżej horyzontu", - "below_horizon": "poniżej horyzontu", - "oscillating": "Oscillating", - "speed_step": "Krok prędkości", - "jammed": "zacięcie", - "unlocking": "otwieranie", - "identify": "Zidentyfikuj", - "not_charging": "brak ładowania", - "wet": "wykryto", - "disconnected": "offline", - "connected": "online", - "hot": "gorąco", - "not_moving": "brak ruchu", - "unplugged": "odłączono", - "not_running": "nie działa", - "unsafe": "zagrożenie", - "tampering_detected": "Tampering detected", + "recording": "nagrywanie", + "streaming": "strumieniowanie", + "access_token": "Token dostępu", + "brand": "Marka", + "stream_type": "Typ strumienia", + "hls": "HLS", + "webrtc": "webRTC", + "model": "Model", "minute": "Minuty", "second": "Sekundy", - "location_is_already_configured": "Lokalizacja jest już skonfigurowana", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Nieprawidłowy klucz API", - "api_key": "Klucz API", + "pattern": "Wzór", + "members": "Encje", + "finishes_at": "Zakończenie", + "remaining": "Pozostało", + "identify": "Zidentyfikuj", + "auto_update": "Automatyczna aktualizacja", + "in_progress": "w toku", + "installed_version": "Zainstalowana wersja", + "latest_version": "Ostatnia wersja", + "release_summary": "Podsumowanie wydania", + "release_url": "URL informacji o wydaniu", + "skipped_version": "Pominięta wersja", + "firmware": "Firmware", + "abort_single_instance_allowed": "Już skonfigurowano. Możliwa jest tylko jedna konfiguracja.", "user_description": "Czy chcesz rozpocząć konfigurację?", + "device_is_already_configured": "Urządzenie jest już skonfigurowane", + "re_authentication_was_successful": "Ponowne uwierzytelnienie powiodło się", + "re_configuration_was_successful": "Ponowna konfiguracja powiodła się", + "failed_to_connect": "Nie można nawiązać połączenia", + "error_custom_port_not_supported": "Urządzenie Gen1 nie obsługuje niestandardowego portu.", + "invalid_authentication": "Niepoprawne uwierzytelnienie", + "unexpected_error": "Nieoczekiwany błąd", + "username": "Nazwa użytkownika", + "host": "Host", + "port": "Port", "account_is_already_configured": "Konto jest już skonfigurowane", "abort_already_in_progress": "Konfiguracja jest już w toku", - "failed_to_connect": "Nie można nawiązać połączenia", "invalid_access_token": "Niepoprawny token dostępu", "received_invalid_token_data": "Otrzymano nieprawidłowe dane tokena.", "abort_oauth_failed": "Błąd podczas uzyskiwania tokena dostępu.", "timeout_resolving_oauth_token": "Przekroczono limit czasu rozpoznawania tokena OAuth.", "abort_oauth_unauthorized": "Błąd autoryzacji OAuth podczas uzyskiwania tokena dostępu.", - "re_authentication_was_successful": "Ponowne uwierzytelnienie powiodło się", - "timeout_establishing_connection": "Limit czasu na nawiązanie połączenia", - "unexpected_error": "Nieoczekiwany błąd", "successfully_authenticated": "Pomyślnie uwierzytelniono", - "link_google_account": "Połączenie z kontem Google", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Wybierz metodę uwierzytelniania", "authentication_expired_for_name": "Autoryzacja wygasła dla {name}", "service_is_already_configured": "Usługa jest już skonfigurowana", - "confirm_description": "Czy chcesz skonfigurować {name}?", - "device_is_already_configured": "Urządzenie jest już skonfigurowane", - "abort_no_devices_found": "Nie znaleziono urządzeń w sieci", - "connection_error_error": "Błąd połączenia: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Nazwa użytkownika", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Już skonfigurowano. Możliwa jest tylko jedna konfiguracja.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Czy chcesz skonfigurować {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Wybierz adapter Bluetooth do konfiguracji", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Klucz API", + "configure_daikin_ac": "Konfiguracja Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1977,6 +2053,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Nieoczekiwany błąd. Szczegóły: {error_detail}", + "uses_an_ssl_certificate": "Używa certyfikatu SSL", + "verify_ssl_certificate": "Weryfikacja certyfikatu SSL", + "timeout_establishing_connection": "Limit czasu na nawiązanie połączenia", + "link_google_account": "Połączenie z kontem Google", + "abort_no_devices_found": "Nie znaleziono urządzeń w sieci", + "connection_error_error": "Błąd połączenia: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Klasa urządzenia", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Lokalizacja jest już skonfigurowana", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Nieprawidłowy klucz API", + "pin_code": "Kod PIN", + "discovered_android_tv": "Wykryte Android TV", + "known_hosts": "Znane hosty", + "google_cast_configuration": "Konfiguracja Google Cast", "abort_invalid_host": "Nieprawidłowa nazwa hosta lub adres IP", "device_not_supported": "Urządzenie nie jest obsługiwane", "name_model_at_host": "{name} ({model}, IP: {host})", @@ -1986,30 +2087,6 @@ "yes_do_it": "Odblokuj", "unlock_the_device_optional": "Odblokuj urządzenie (opcjonalne)", "connect_to_the_device": "Połączenie z urządzeniem", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "Nie znaleziono usług w punkcie końcowym", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Niepoprawne uwierzytelnienie", - "two_factor_code": "Kod uwierzytelniania dwuskładnikowego", - "two_factor_authentication": "Uwierzytelnianie dwuskładnikowe", - "sign_in_with_ring_account": "Zaloguj się do konta Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Nieprawidłowy temat \"birth\"", "error_bad_certificate": "Certyfikat CA jest nieprawidłowy", "invalid_discovery_prefix": "Nieprawidłowy prefiks wykrywania", @@ -2033,8 +2110,9 @@ "path_is_not_allowed": "Niedozwolona ścieżka", "path_is_not_valid": "Nieprawidłowa ścieżka", "path_to_file": "Ścieżka do pliku", - "known_hosts": "Znane hosty", - "google_cast_configuration": "Konfiguracja Google Cast", + "api_error_occurred": "Wystąpił błąd API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Włącz HTTPS", "abort_mdns_missing_mac": "Brak adresu MAC we właściwościach MDNS.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2042,10 +2120,36 @@ "service_received": "Usługa otrzymana", "discovered_esphome_node": "Znaleziono węzeł ESPHome", "encryption_key": "Klucz szyfrujący", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "Nie znaleziono usług w punkcie końcowym", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Nieobsługiwany typ Switchbota.", + "authentication_failed_error_detail": "Uwierzytelnianie nie powiodło się: {error_detail}", + "error_encryption_key_invalid": "Identyfikator klucza lub klucz szyfrujący jest nieprawidłowy", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Konto SwitchBot (zalecane)", + "menu_options_lock_key": "Wprowadź klucz szyfrowania zamka ręcznie", + "key_id": "Identyfikator klucza", + "password_description": "Password to protect the backup with.", + "device_address": "Adres urządzenia", + "component_switchbot_config_error_few": "Pustych", + "component_switchbot_config_error_one": "Pusty", + "component_switchbot_config_error_other": "Puste", + "meteorologisk_institutt": "Instytut Meteorologiczny", + "two_factor_code": "Kod uwierzytelniania dwuskładnikowego", + "two_factor_authentication": "Uwierzytelnianie dwuskładnikowe", + "sign_in_with_ring_account": "Zaloguj się do konta Ring", + "no_deconz_bridges_discovered": "Nie odkryto mostków deCONZ", + "abort_no_hardware_available": "Nie wykryto komponentu radiowego podłączonego do deCONZ", + "abort_updated_instance": "Zaktualizowano instancję deCONZ o nowy adres hosta", + "error_linking_not_possible": "Nie można połączyć się z bramką", + "error_no_key": "Nie można uzyskać klucza API", + "link_with_deconz": "Połączenie z deCONZ", + "select_discovered_deconz_gateway": "Wybierz znalezioną bramkę deCONZ", "all_entities": "Wszystkie encje", "hide_members": "Ukryj encje", "add_group": "Dodaj grupę", - "device_class": "Device class", "ignore_non_numeric": "Ignoruj nienumeryczne", "data_round_digits": "Zaokrąglij wartość do liczby miejsc po przecinku", "type": "Type", @@ -2058,84 +2162,50 @@ "media_player_group": "Grupa odtwarzaczy multimedialnych", "sensor_group": "Grupa sensorów", "switch_group": "Grupa przełączników", - "name_already_exists": "Nazwa już istnieje", - "passive": "pasywny", - "define_zone_parameters": "Zdefiniuj parametry strefy", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Ponowna konfiguracja powiodła się", - "error_custom_port_not_supported": "Urządzenie Gen1 nie obsługuje niestandardowego portu.", "abort_alternative_integration": "Urządzenie jest lepiej obsługiwane przez inną integrację", "abort_discovery_error": "Nie udało się wykryć pasującego urządzenia DLNA", "abort_incomplete_config": "W konfiguracji brakuje wymaganej zmiennej", "manual_description": "URL do pliku XML z opisem urządzenia", "manual_title": "Ręczne podłączanie urządzenia DLNA DMR", "discovered_dlna_dmr_devices": "Wykryto urządzenia DLNA DMR", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Nazwa już istnieje", + "passive": "pasywny", + "define_zone_parameters": "Zdefiniuj parametry strefy", "calendar_name": "Nazwa kalendarza", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Wybierz adapter Bluetooth do konfiguracji", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Nieoczekiwany błąd. Szczegóły: {error_detail}", - "uses_an_ssl_certificate": "Używa certyfikatu SSL", - "verify_ssl_certificate": "Weryfikacja certyfikatu SSL", - "configure_daikin_ac": "Konfiguracja Daikin AC", - "pin_code": "Kod PIN", - "discovered_android_tv": "Wykryte Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "no_deconz_bridges_discovered": "Nie odkryto mostków deCONZ", - "abort_no_hardware_available": "Nie wykryto komponentu radiowego podłączonego do deCONZ", - "abort_updated_instance": "Zaktualizowano instancję deCONZ o nowy adres hosta", - "error_linking_not_possible": "Nie można połączyć się z bramką", - "error_no_key": "Nie można uzyskać klucza API", - "link_with_deconz": "Połączenie z deCONZ", - "select_discovered_deconz_gateway": "Wybierz znalezioną bramkę deCONZ", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Nieobsługiwany typ Switchbota.", - "authentication_failed_error_detail": "Uwierzytelnianie nie powiodło się: {error_detail}", - "error_encryption_key_invalid": "Identyfikator klucza lub klucz szyfrujący jest nieprawidłowy", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Konto SwitchBot (zalecane)", - "menu_options_lock_key": "Wprowadź klucz szyfrowania zamka ręcznie", - "key_id": "Identyfikator klucza", - "password_description": "Password to protect the backup with.", - "device_address": "Adres urządzenia", - "component_switchbot_config_error_few": "Pustych", - "component_switchbot_config_error_one": "Pusty", - "component_switchbot_config_error_other": "Puste", - "meteorologisk_institutt": "Instytut Meteorologiczny", - "api_error_occurred": "Wystąpił błąd API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Włącz HTTPS", - "enable_the_conversation_agent": "Włącz agenta konwersacji", - "language_code": "Kod języka", - "select_test_server": "Wybierz serwer", - "data_allow_nameless_uuids": "Obecnie dozwolone identyfikatory UUID. Odznacz, aby usunąć", - "minimum_rssi": "Minimalny RSSI", - "data_new_uuid": "Wprowadź nowy dozwolony UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Tryb skanera Bluetooth", + "passive_scanning": "Skanowanie pasywne", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2218,6 +2288,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Włącz agenta konwersacji", + "language_code": "Kod języka", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Obecnie dozwolone identyfikatory UUID. Odznacz, aby usunąć", + "minimum_rssi": "Minimalny RSSI", + "data_new_uuid": "Wprowadź nowy dozwolony UUID", + "data_calendar_access": "Dostęp Home Assistanta do Kalendarza Google", + "ignore_cec": "Ignoruj CEC", + "allowed_uuids": "Dozwolone identyfikatory UUID", + "advanced_google_cast_configuration": "Zaawansowana konfiguracja Google Cast", "broker_options": "Opcje brokera", "enable_birth_message": "Włącz wiadomość \"birth\"", "birth_message_payload": "Wartość wiadomości \"birth\"", @@ -2231,113 +2318,46 @@ "will_message_retain": "Flaga \"retain\" wiadomości \"will\"", "will_message_topic": "Temat wiadomości \"will\"", "mqtt_options": "Opcje MQTT", - "ignore_cec": "Ignoruj CEC", - "allowed_uuids": "Dozwolone identyfikatory UUID", - "advanced_google_cast_configuration": "Zaawansowana konfiguracja Google Cast", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Tryb skanera Bluetooth", + "protocol": "Protokół", + "select_test_server": "Wybierz serwer", + "retry_count": "Liczba ponownych prób", + "allow_deconz_clip_sensors": "Zezwalaj na sensory deCONZ CLIP", + "allow_deconz_light_groups": "Zezwalaj na grupy świateł deCONZ", + "data_allow_new_devices": "Zezwalaj na automatyczne dodawanie nowych urządzeń", + "deconz_devices_description": "Skonfiguruj widoczność typów urządzeń deCONZ", + "deconz_options": "Opcje deCONZ", "invalid_url": "Nieprawidłowy adres URL", "data_browse_unfiltered": "Pokaż niezgodne multimedia podczas przeglądania", "event_listener_callback_url": "Adres Callback URL dla detektora zdarzeń", "data_listen_port": "Port detektora zdarzeń (losowy, jeśli nie jest ustawiony)", "poll_for_device_availability": "Sondowanie na dostępność urządzeń", "init_title": "Konfiguracja rendera multimediów cyfrowych (DMR) dla DLNA", - "passive_scanning": "Skanowanie pasywne", - "allow_deconz_clip_sensors": "Zezwalaj na sensory deCONZ CLIP", - "allow_deconz_light_groups": "Zezwalaj na grupy świateł deCONZ", - "data_allow_new_devices": "Zezwalaj na automatyczne dodawanie nowych urządzeń", - "deconz_devices_description": "Skonfiguruj widoczność typów urządzeń deCONZ", - "deconz_options": "Opcje deCONZ", - "retry_count": "Liczba ponownych prób", - "data_calendar_access": "Dostęp Home Assistanta do Kalendarza Google", - "protocol": "Protokół", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Przełącz {entity_name}", - "turn_off_entity_name": "Wyłącz {entity_name}", - "turn_on_entity_name": "Włącz {entity_name}", - "entity_name_is_off": "{entity_name} jest wyłączone", - "entity_name_is_on": "{entity_name} jest włączone", - "trigger_type_changed_states": "{entity_name} włączony lub wyłączony", - "entity_name_turned_off": "{entity_name} wyłączony", - "entity_name_turned_on": "{entity_name} włączony", - "entity_name_is_home": "urządzenie {entity_name} jest w domu", - "entity_name_is_not_home": "urządzenie {entity_name} jest poza domem", - "entity_name_enters_a_zone": "{entity_name} wejdzie do strefy", - "entity_name_leaves_a_zone": "{entity_name} opuści strefę", - "action_type_set_hvac_mode": "zmień tryb pracy dla {entity_name}", - "change_preset_on_entity_name": "zmień ustawienia dla {entity_name}", - "entity_name_measured_humidity_changed": "zmieni się zmierzona wilgotność {entity_name}", - "entity_name_measured_temperature_changed": "zmieni się zmierzona temperatura {entity_name}", - "entity_name_hvac_mode_changed": "zmieni się tryb HVAC {entity_name}", - "entity_name_is_buffering": "{entity_name} buforuje", - "entity_name_is_idle": "odtwarzacz {entity_name} jest nieaktywny", - "entity_name_is_paused": "odtwarzacz {entity_name} zostanie wstrzymany", - "entity_name_is_playing": "{entity_name} odtwarza media", - "entity_name_starts_buffering": "{entity_name} rozpocznie buforowanie", - "entity_name_becomes_idle": "odtwarzacz {entity_name} stanie się bezczynny", - "entity_name_starts_playing": "odtwarzacz {entity_name} rozpocznie odtwarzanie", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "pierwszy", "second_button": "drugi", "third_button": "trzeci", "fourth_button": "czwarty", - "fifth_button": "piąty", - "sixth_button": "szósty", - "subtype_double_clicked": "\"{subtype}\" zostanie podwójnie naciśnięty", - "subtype_continuously_pressed": "\"{subtype}\" zostanie naciśnięty w sposób ciągły", - "trigger_type_button_long_release": "przycisk \"{subtype}\" zostanie zwolniony po długim naciśnięciu", - "subtype_quadruple_clicked": "\"{subtype}\" zostanie czterokrotnie naciśnięty", - "subtype_quintuple_clicked": "\"{subtype}\" zostanie pięciokrotnie naciśnięty", - "subtype_pressed": "\"{subtype}\" zostanie naciśnięty", - "subtype_released": "\"{subtype}\" zostanie zwolniony", - "subtype_triple_clicked": "\"{subtype}\" zostanie trzykrotnie naciśnięty", - "decrease_entity_name_brightness": "zmniejsz jasność {entity_name}", - "increase_entity_name_brightness": "zwiększ jasność {entity_name}", - "flash_entity_name": "błyśnij {entity_name}", - "action_type_select_first": "zmień {entity_name} na pierwszą opcję", - "action_type_select_last": "zmień {entity_name} na ostatnią opcję", - "action_type_select_next": "zmień {entity_name} na następną opcję", - "change_entity_name_option": "zmień opcję {entity_name}", - "action_type_select_previous": "zmień {entity_name} na poprzednią opcję", - "current_entity_name_selected_option": "aktualnie wybrana opcja dla {entity_name}", - "entity_name_option_changed": "zmieniono opcję {entity_name}", - "entity_name_update_availability_changed": "zmieni się dostępność aktualizacji {entity_name}", - "entity_name_became_up_to_date": "wykonano aktualizację dla {entity_name}", - "trigger_type_update": "{entity_name} ma dostępną aktualizację", "subtype_button_down": "{subtype} zostanie wciśnięty", "subtype_button_up": "{subtype} zostanie puszczony", + "subtype_double_clicked": "\"{subtype}\" zostanie podwójnie naciśnięty", "subtype_double_push": "{subtype} zostanie dwukrotnie naciśnięty", "subtype_long_push": "{subtype} zostanie długo naciśnięty", "trigger_type_long_single": "{subtype} zostanie długo naciśnięty, a następnie pojedynczo naciśnięty", "subtype_single_push": "{subtype} zostanie pojedynczo naciśnięty", "trigger_type_single_long": "{subtype} pojedynczo naciśnięty, a następnie długo naciśnięty", + "subtype_triple_clicked": "\"{subtype}\" zostanie trzykrotnie naciśnięty", "subtype_triple_push": "{subtype} zostanie trzykrotnie naciśnięty", "set_value_for_entity_name": "ustaw wartość dla {entity_name}", + "value": "Value", "close_entity_name": "zamknij {entity_name}", "close_entity_name_tilt": "zamknij pochylenie {entity_name}", "open_entity_name": "otwórz {entity_name}", @@ -2355,7 +2375,115 @@ "entity_name_opened": "{entity_name} opened", "entity_name_position_changes": "zmieni się pozycja {entity_name}", "entity_name_tilt_position_changes": "zmieni się pochylenie {entity_name}", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "bateria {entity_name} jest rozładowana", + "entity_name_is_charging": "{entity_name} ładuje się", + "condition_type_is_co": "sensor {entity_name} wykrywa tlenek węgla", + "entity_name_is_cold": "sensor {entity_name} wykrywa zimno", + "entity_name_is_connected": "sensor {entity_name} raportuje połączenie", + "entity_name_is_detecting_gas": "sensor {entity_name} wykrywa gaz", + "entity_name_is_hot": "sensor {entity_name} wykrywa gorąco", + "entity_name_is_detecting_light": "sensor {entity_name} wykrywa światło", + "entity_name_is_locked": "zamek {entity_name} jest zamknięty", + "entity_name_is_moist": "sensor {entity_name} wykrywa wilgoć", + "entity_name_is_detecting_motion": "sensor {entity_name} wykrywa ruch", + "entity_name_is_moving": "sensor {entity_name} porusza się", + "condition_type_is_no_co": "sensor {entity_name} nie wykrywa tlenku węgla", + "condition_type_is_no_gas": "sensor {entity_name} nie wykrywa gazu", + "condition_type_is_no_light": "sensor {entity_name} nie wykrywa światła", + "condition_type_is_no_motion": "sensor {entity_name} nie wykrywa ruchu", + "condition_type_is_no_problem": "sensor {entity_name} nie wykrywa problemu", + "condition_type_is_no_smoke": "sensor {entity_name} nie wykrywa dymu", + "condition_type_is_no_sound": "sensor {entity_name} nie wykrywa dźwięku", + "entity_name_is_up_to_date": "dla {entity_name} nie ma dostępnej aktualizacji", + "condition_type_is_no_vibration": "sensor {entity_name} nie wykrywa wibracji", + "entity_name_battery_is_normal": "bateria {entity_name} nie jest rozładowana", + "entity_name_is_not_charging": "{entity_name} nie ładuje się", + "entity_name_is_not_cold": "sensor {entity_name} nie wykrywa zimna", + "entity_name_is_disconnected": "sensor {entity_name} nie wykrywa rozłączenia", + "entity_name_is_not_hot": "sensor {entity_name} nie wykrywa gorąca", + "entity_name_is_unlocked": "zamek {entity_name} jest otwarty", + "entity_name_is_dry": "sensor {entity_name} nie wykrywa wilgoci", + "entity_name_is_not_moving": "sensor {entity_name} nie porusza się", + "entity_name_is_not_occupied": "sensor {entity_name} nie jest zajęty", + "entity_name_is_unplugged": "sensor {entity_name} wykrywa odłączenie", + "entity_name_is_not_powered": "sensor {entity_name} nie wykrywa zasilania", + "entity_name_is_not_present": "sensor {entity_name} nie wykrywa obecności", + "entity_name_is_not_running": "{entity_name} nie działa", + "condition_type_is_not_tampered": "sensor {entity_name} nie wykrywa naruszenia", + "entity_name_is_safe": "sensor {entity_name} nie wykrywa zagrożenia", + "entity_name_is_occupied": "sensor {entity_name} jest zajęty", + "entity_name_is_off": "{entity_name} jest wyłączone", + "entity_name_is_on": "{entity_name} jest włączone", + "entity_name_is_plugged_in": "sensor {entity_name} wykrywa podłączenie", + "entity_name_is_powered": "sensor {entity_name} wykrywa zasilanie", + "entity_name_is_present": "sensor {entity_name} wykrywa obecność", + "entity_name_is_detecting_problem": "sensor {entity_name} wykrywa problem", + "entity_name_is_running": "{entity_name} działa", + "entity_name_is_detecting_smoke": "sensor {entity_name} wykrywa dym", + "entity_name_is_detecting_sound": "sensor {entity_name} wykrywa dźwięk", + "entity_name_is_detecting_tampering": "sensor {entity_name} wykrywa naruszenie", + "entity_name_is_unsafe": "sensor {entity_name} wykrywa zagrożenie", + "condition_type_is_update": "dla {entity_name} jest dostępna aktualizacja", + "entity_name_is_detecting_vibration": "sensor {entity_name} wykrywa wibracje", + "entity_name_battery_low": "nastąpi rozładowanie baterii {entity_name}", + "entity_name_charging": "{entity_name} ładuje", + "trigger_type_co": "sensor {entity_name} wykryje tlenek węgla", + "entity_name_became_cold": "sensor {entity_name} wykryje zimno", + "entity_name_connected": "nastąpi podłączenie {entity_name}", + "entity_name_started_detecting_gas": "sensor {entity_name} wykryje gaz", + "entity_name_became_hot": "sensor {entity_name} wykryje gorąco", + "entity_name_started_detecting_light": "sensor {entity_name} wykryje światło", + "entity_name_became_moist": "nastąpi wykrycie wilgoci {entity_name}", + "entity_name_started_detecting_motion": "sensor {entity_name} wykryje ruch", + "entity_name_started_moving": "sensor {entity_name} zacznie poruszać się", + "trigger_type_no_co": "sensor {entity_name} przestanie wykrywać tlenek węgla", + "entity_name_stopped_detecting_gas": "sensor {entity_name} przestanie wykrywać gaz", + "entity_name_stopped_detecting_light": "sensor {entity_name} przestanie wykrywać światło", + "entity_name_stopped_detecting_motion": "sensor {entity_name} przestanie wykrywać ruch", + "entity_name_stopped_detecting_problem": "sensor {entity_name} przestanie wykrywać problem", + "entity_name_stopped_detecting_smoke": "sensor {entity_name} przestanie wykrywać dym", + "entity_name_stopped_detecting_sound": "sensor {entity_name} przestanie wykrywać dźwięk", + "entity_name_became_up_to_date": "wykonano aktualizację dla {entity_name}", + "entity_name_stopped_detecting_vibration": "sensor {entity_name} przestanie wykrywać wibracje", + "entity_name_battery_normal": "nastąpi naładowanie baterii {entity_name}", + "entity_name_not_charging": "{entity_name} nie łąduje", + "entity_name_became_not_cold": "sensor {entity_name} przestanie wykrywać zimno", + "entity_name_disconnected": "nastąpi rozłączenie {entity_name}", + "entity_name_became_not_hot": "sensor {entity_name} przestanie wykrywać gorąco", + "entity_name_unlocked": "nastąpi otwarcie {entity_name}", + "entity_name_became_dry": "sensor {entity_name} przestanie wykrywać wilgoć", + "entity_name_stopped_moving": "sensor {entity_name} przestanie poruszać się", + "entity_name_became_not_occupied": "sensor {entity_name} przestanie być zajęty", + "entity_name_unplugged": "nastąpi odłączenie {entity_name}", + "entity_name_not_powered": "nastąpi odłączenie zasilania {entity_name}", + "entity_name_not_present": "sensor {entity_name} przestanie wykrywać obecność", + "trigger_type_not_running": "zakończy się działanie {entity_name}", + "entity_name_stopped_detecting_tampering": "sensor {entity_name} przestanie wykrywać naruszenie", + "entity_name_became_safe": "sensor {entity_name} przestanie wykrywać zagrożenie", + "entity_name_became_occupied": "sensor {entity_name} stanie się zajęty", + "entity_name_powered": "nastąpi podłączenie zasilenia {entity_name}", + "entity_name_present": "sensor {entity_name} wykryje obecność", + "entity_name_started_detecting_problem": "sensor {entity_name} wykryje problem", + "entity_name_started_running": "rozpocznie się działanie {entity_name}", + "entity_name_started_detecting_smoke": "sensor {entity_name} wykryje dym", + "entity_name_started_detecting_sound": "sensor {entity_name} wykryje dźwięk", + "entity_name_started_detecting_tampering": "sensor {entity_name} wykryje naruszenie", + "entity_name_turned_off": "{entity_name} wyłączony", + "entity_name_turned_on": "{entity_name} włączony", + "entity_name_became_unsafe": "sensor {entity_name} wykryje zagrożenie", + "trigger_type_update": "{entity_name} ma dostępną aktualizację", + "entity_name_started_detecting_vibration": "sensor {entity_name} wykryje wibracje", + "entity_name_is_buffering": "{entity_name} buforuje", + "entity_name_is_idle": "odtwarzacz {entity_name} jest nieaktywny", + "entity_name_is_paused": "odtwarzacz {entity_name} zostanie wstrzymany", + "entity_name_is_playing": "{entity_name} odtwarza media", + "entity_name_starts_buffering": "{entity_name} rozpocznie buforowanie", + "trigger_type_changed_states": "{entity_name} włączony lub wyłączony", + "entity_name_becomes_idle": "odtwarzacz {entity_name} stanie się bezczynny", + "entity_name_starts_playing": "odtwarzacz {entity_name} rozpocznie odtwarzanie", + "toggle_entity_name": "Przełącz {entity_name}", + "turn_off_entity_name": "Wyłącz {entity_name}", + "turn_on_entity_name": "Włącz {entity_name}", "arm_entity_name_away": "uzbrój (poza domem) {entity_name}", "arm_entity_name_home": "uzbrój (w domu) {entity_name}", "arm_entity_name_night": "uzbrój (noc) {entity_name}", @@ -2374,12 +2502,26 @@ "entity_name_armed_vacation": "alarm {entity_name} zostanie uzbrojony (tryb wakacyjny)", "entity_name_disarmed": "alarm {entity_name} zostanie rozbrojony", "entity_name_triggered": "alarm {entity_name} zostanie wyzwolony", + "entity_name_is_home": "urządzenie {entity_name} jest w domu", + "entity_name_is_not_home": "urządzenie {entity_name} jest poza domem", + "entity_name_enters_a_zone": "{entity_name} wejdzie do strefy", + "entity_name_leaves_a_zone": "{entity_name} opuści strefę", + "lock_entity_name": "zablokuj {entity_name}", + "unlock_entity_name": "odblokuj {entity_name}", + "action_type_set_hvac_mode": "zmień tryb pracy dla {entity_name}", + "change_preset_on_entity_name": "zmień ustawienia dla {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "zmieni się zmierzona wilgotność {entity_name}", + "entity_name_measured_temperature_changed": "zmieni się zmierzona temperatura {entity_name}", + "entity_name_hvac_mode_changed": "zmieni się tryb HVAC {entity_name}", "current_entity_name_apparent_power": "aktualna moc pozorna {entity_name}", "condition_type_is_aqi": "obecny indeks jakości powietrza {entity_name}", "current_entity_name_atmospheric_pressure": "obecne ciśnienie atmosferyczne {entity_name}", "current_entity_name_battery_level": "obecny poziom naładowania baterii {entity_name}", "condition_type_is_carbon_dioxide": "obecny poziom stężenia dwutlenku węgla w {entity_name}", "condition_type_is_carbon_monoxide": "obecny poziom stężenia tlenku węgla w {entity_name}", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "obecne natężenie prądu {entity_name}", "current_entity_name_data_rate": "Obecna prędkość transmisji danych {entity_name}", "current_entity_name_data_size": "obecny rozmiar danych {entity_name}", @@ -2423,6 +2565,7 @@ "entity_name_battery_level_changes": "zmieni się poziom baterii {entity_name}", "trigger_type_carbon_dioxide": "{entity_name} wykryje zmianę stężenia dwutlenku węgla", "trigger_type_carbon_monoxide": "{entity_name} wykryje zmianę stężenia tlenku węgla", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "zmieni się natężenie prądu w {entity_name}", "entity_name_data_rate_changes": "zmieni się rozmiar danych {entity_name}", "entity_name_distance_changes": "zmieni się odległość {entity_name}", @@ -2459,136 +2602,71 @@ "entity_name_water_changes": "zmieni się poziom wody {entity_name}", "entity_name_weight_changes": "zmieni się waga {entity_name}", "entity_name_wind_speed_changes": "zmieni się prędkość wiatru {entity_name}", + "decrease_entity_name_brightness": "zmniejsz jasność {entity_name}", + "increase_entity_name_brightness": "zwiększ jasność {entity_name}", + "flash_entity_name": "błyśnij {entity_name}", + "flash": "Flash", + "fifth_button": "piąty", + "sixth_button": "szósty", + "subtype_continuously_pressed": "\"{subtype}\" zostanie naciśnięty w sposób ciągły", + "trigger_type_button_long_release": "przycisk \"{subtype}\" zostanie zwolniony po długim naciśnięciu", + "subtype_quadruple_clicked": "\"{subtype}\" zostanie czterokrotnie naciśnięty", + "subtype_quintuple_clicked": "\"{subtype}\" zostanie pięciokrotnie naciśnięty", + "subtype_pressed": "\"{subtype}\" zostanie naciśnięty", + "subtype_released": "\"{subtype}\" zostanie zwolniony", + "action_type_select_first": "zmień {entity_name} na pierwszą opcję", + "action_type_select_last": "zmień {entity_name} na ostatnią opcję", + "action_type_select_next": "zmień {entity_name} na następną opcję", + "change_entity_name_option": "zmień opcję {entity_name}", + "action_type_select_previous": "zmień {entity_name} na poprzednią opcję", + "current_entity_name_selected_option": "aktualnie wybrana opcja dla {entity_name}", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "zmieniono opcję {entity_name}", + "send_a_notification": "Send a notification", + "both_buttons": "oba przyciski", + "bottom_buttons": "dolne przyciski", + "seventh_button": "siódmy", + "eighth_button": "ósmy", + "dim_down": "zmniejszenie jasności", + "dim_up": "zwiększenie jasności", + "left": "w lewo", + "right": "w prawo", + "side": "strona 6", + "top_buttons": "górne przyciski", + "device_awakened": "urządzenie się obudzi", + "trigger_type_remote_button_long_release": "\"{subtype}\" zostanie zwolniony po długim naciśnięciu", + "button_rotated_subtype": "przycisk zostanie obrócony \"{subtype}\"", + "button_rotated_fast_subtype": "przycisk zostanie szybko obrócony \"{subtype}\"", + "button_rotation_subtype_stopped": "nastąpi zatrzymanie obrotu przycisku \"{subtype}\"", + "device_subtype_double_tapped": "urządzenie \"{subtype}\" zostanie dwukrotnie puknięte", + "trigger_type_remote_double_tap_any_side": "urządzenie dwukrotnie puknięte z dowolnej strony", + "device_in_free_fall": "urządzenie zarejestruje swobodny spadek", + "device_flipped_degrees": "urządzenie odwrócone o 90 stopni", + "device_shaken": "nastąpi potrząśnięcie urządzeniem", + "trigger_type_remote_moved": "urządzenie poruszone z \"{subtype}\" w górę", + "trigger_type_remote_moved_any_side": "urządzenie przesunięte dowolną stroną do góry", + "trigger_type_remote_rotate_from_side": "urządzenie obrócone ze \"strona 6\" na \"{subtype}\"", + "device_turned_clockwise": "urządzenie obrócone zgodnie z ruchem wskazówek zegara", + "device_turned_counter_clockwise": "urządzenie obrócone przeciwnie do ruchu wskazówek zegara", "press_entity_name_button": "naciśnij przycisk {entity_name}", "entity_name_has_been_pressed": "{entity_name} został naciśnięty", - "entity_name_battery_is_low": "bateria {entity_name} jest rozładowana", - "entity_name_is_charging": "{entity_name} ładuje się", - "condition_type_is_co": "sensor {entity_name} wykrywa tlenek węgla", - "entity_name_is_cold": "sensor {entity_name} wykrywa zimno", - "entity_name_is_connected": "sensor {entity_name} raportuje połączenie", - "entity_name_is_detecting_gas": "sensor {entity_name} wykrywa gaz", - "entity_name_is_hot": "sensor {entity_name} wykrywa gorąco", - "entity_name_is_detecting_light": "sensor {entity_name} wykrywa światło", - "entity_name_is_locked": "zamek {entity_name} jest zamknięty", - "entity_name_is_moist": "sensor {entity_name} wykrywa wilgoć", - "entity_name_is_detecting_motion": "sensor {entity_name} wykrywa ruch", - "entity_name_is_moving": "sensor {entity_name} porusza się", - "condition_type_is_no_co": "sensor {entity_name} nie wykrywa tlenku węgla", - "condition_type_is_no_gas": "sensor {entity_name} nie wykrywa gazu", - "condition_type_is_no_light": "sensor {entity_name} nie wykrywa światła", - "condition_type_is_no_motion": "sensor {entity_name} nie wykrywa ruchu", - "condition_type_is_no_problem": "sensor {entity_name} nie wykrywa problemu", - "condition_type_is_no_smoke": "sensor {entity_name} nie wykrywa dymu", - "condition_type_is_no_sound": "sensor {entity_name} nie wykrywa dźwięku", - "entity_name_is_up_to_date": "dla {entity_name} nie ma dostępnej aktualizacji", - "condition_type_is_no_vibration": "sensor {entity_name} nie wykrywa wibracji", - "entity_name_battery_is_normal": "bateria {entity_name} nie jest rozładowana", - "entity_name_is_not_charging": "{entity_name} nie ładuje się", - "entity_name_is_not_cold": "sensor {entity_name} nie wykrywa zimna", - "entity_name_is_disconnected": "sensor {entity_name} nie wykrywa rozłączenia", - "entity_name_is_not_hot": "sensor {entity_name} nie wykrywa gorąca", - "entity_name_is_unlocked": "zamek {entity_name} jest otwarty", - "entity_name_is_dry": "sensor {entity_name} nie wykrywa wilgoci", - "entity_name_is_not_moving": "sensor {entity_name} nie porusza się", - "entity_name_is_not_occupied": "sensor {entity_name} nie jest zajęty", - "entity_name_is_unplugged": "sensor {entity_name} wykrywa odłączenie", - "entity_name_is_not_powered": "sensor {entity_name} nie wykrywa zasilania", - "entity_name_is_not_present": "sensor {entity_name} nie wykrywa obecności", - "entity_name_is_not_running": "{entity_name} nie działa", - "condition_type_is_not_tampered": "sensor {entity_name} nie wykrywa naruszenia", - "entity_name_is_safe": "sensor {entity_name} nie wykrywa zagrożenia", - "entity_name_is_occupied": "sensor {entity_name} jest zajęty", - "entity_name_is_plugged_in": "sensor {entity_name} wykrywa podłączenie", - "entity_name_is_powered": "sensor {entity_name} wykrywa zasilanie", - "entity_name_is_present": "sensor {entity_name} wykrywa obecność", - "entity_name_is_detecting_problem": "sensor {entity_name} wykrywa problem", - "entity_name_is_running": "{entity_name} działa", - "entity_name_is_detecting_smoke": "sensor {entity_name} wykrywa dym", - "entity_name_is_detecting_sound": "sensor {entity_name} wykrywa dźwięk", - "entity_name_is_detecting_tampering": "sensor {entity_name} wykrywa naruszenie", - "entity_name_is_unsafe": "sensor {entity_name} wykrywa zagrożenie", - "condition_type_is_update": "dla {entity_name} jest dostępna aktualizacja", - "entity_name_is_detecting_vibration": "sensor {entity_name} wykrywa wibracje", - "entity_name_battery_low": "nastąpi rozładowanie baterii {entity_name}", - "entity_name_charging": "{entity_name} ładuje", - "trigger_type_co": "sensor {entity_name} wykryje tlenek węgla", - "entity_name_became_cold": "sensor {entity_name} wykryje zimno", - "entity_name_connected": "nastąpi podłączenie {entity_name}", - "entity_name_started_detecting_gas": "sensor {entity_name} wykryje gaz", - "entity_name_became_hot": "sensor {entity_name} wykryje gorąco", - "entity_name_started_detecting_light": "sensor {entity_name} wykryje światło", - "entity_name_became_moist": "nastąpi wykrycie wilgoci {entity_name}", - "entity_name_started_detecting_motion": "sensor {entity_name} wykryje ruch", - "entity_name_started_moving": "sensor {entity_name} zacznie poruszać się", - "trigger_type_no_co": "sensor {entity_name} przestanie wykrywać tlenek węgla", - "entity_name_stopped_detecting_gas": "sensor {entity_name} przestanie wykrywać gaz", - "entity_name_stopped_detecting_light": "sensor {entity_name} przestanie wykrywać światło", - "entity_name_stopped_detecting_motion": "sensor {entity_name} przestanie wykrywać ruch", - "entity_name_stopped_detecting_problem": "sensor {entity_name} przestanie wykrywać problem", - "entity_name_stopped_detecting_smoke": "sensor {entity_name} przestanie wykrywać dym", - "entity_name_stopped_detecting_sound": "sensor {entity_name} przestanie wykrywać dźwięk", - "entity_name_stopped_detecting_vibration": "sensor {entity_name} przestanie wykrywać wibracje", - "entity_name_battery_normal": "nastąpi naładowanie baterii {entity_name}", - "entity_name_not_charging": "{entity_name} nie łąduje", - "entity_name_became_not_cold": "sensor {entity_name} przestanie wykrywać zimno", - "entity_name_disconnected": "nastąpi rozłączenie {entity_name}", - "entity_name_became_not_hot": "sensor {entity_name} przestanie wykrywać gorąco", - "entity_name_unlocked": "nastąpi otwarcie {entity_name}", - "entity_name_became_dry": "sensor {entity_name} przestanie wykrywać wilgoć", - "entity_name_stopped_moving": "sensor {entity_name} przestanie poruszać się", - "entity_name_became_not_occupied": "sensor {entity_name} przestanie być zajęty", - "entity_name_unplugged": "nastąpi odłączenie {entity_name}", - "entity_name_not_powered": "nastąpi odłączenie zasilania {entity_name}", - "entity_name_not_present": "sensor {entity_name} przestanie wykrywać obecność", - "trigger_type_not_running": "zakończy się działanie {entity_name}", - "entity_name_stopped_detecting_tampering": "sensor {entity_name} przestanie wykrywać naruszenie", - "entity_name_became_safe": "sensor {entity_name} przestanie wykrywać zagrożenie", - "entity_name_became_occupied": "sensor {entity_name} stanie się zajęty", - "entity_name_powered": "nastąpi podłączenie zasilenia {entity_name}", - "entity_name_present": "sensor {entity_name} wykryje obecność", - "entity_name_started_detecting_problem": "sensor {entity_name} wykryje problem", - "entity_name_started_running": "rozpocznie się działanie {entity_name}", - "entity_name_started_detecting_smoke": "sensor {entity_name} wykryje dym", - "entity_name_started_detecting_sound": "sensor {entity_name} wykryje dźwięk", - "entity_name_started_detecting_tampering": "sensor {entity_name} wykryje naruszenie", - "entity_name_became_unsafe": "sensor {entity_name} wykryje zagrożenie", - "entity_name_started_detecting_vibration": "sensor {entity_name} wykryje wibracje", - "both_buttons": "oba przyciski", - "bottom_buttons": "dolne przyciski", - "seventh_button": "siódmy", - "eighth_button": "ósmy", - "dim_down": "zmniejszenie jasności", - "dim_up": "zwiększenie jasności", - "left": "w lewo", - "right": "w prawo", - "side": "strona 6", - "top_buttons": "górne przyciski", - "device_awakened": "urządzenie się obudzi", - "trigger_type_remote_button_long_release": "\"{subtype}\" zostanie zwolniony po długim naciśnięciu", - "button_rotated_subtype": "przycisk zostanie obrócony \"{subtype}\"", - "button_rotated_fast_subtype": "przycisk zostanie szybko obrócony \"{subtype}\"", - "button_rotation_subtype_stopped": "nastąpi zatrzymanie obrotu przycisku \"{subtype}\"", - "device_subtype_double_tapped": "urządzenie \"{subtype}\" zostanie dwukrotnie puknięte", - "trigger_type_remote_double_tap_any_side": "urządzenie dwukrotnie puknięte z dowolnej strony", - "device_in_free_fall": "urządzenie zarejestruje swobodny spadek", - "device_flipped_degrees": "urządzenie odwrócone o 90 stopni", - "device_shaken": "nastąpi potrząśnięcie urządzeniem", - "trigger_type_remote_moved": "urządzenie poruszone z \"{subtype}\" w górę", - "trigger_type_remote_moved_any_side": "urządzenie przesunięte dowolną stroną do góry", - "trigger_type_remote_rotate_from_side": "urządzenie obrócone ze \"strona 6\" na \"{subtype}\"", - "device_turned_clockwise": "urządzenie obrócone zgodnie z ruchem wskazówek zegara", - "device_turned_counter_clockwise": "urządzenie obrócone przeciwnie do ruchu wskazówek zegara", - "lock_entity_name": "zablokuj {entity_name}", - "unlock_entity_name": "odblokuj {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "zmieni się dostępność aktualizacji {entity_name}", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Średnia arytmetyczna", + "median": "Mediana", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2718,16 +2796,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "Brak klasy urządzenia", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Średnia arytmetyczna", - "median": "Mediana", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Pozycja docelowa", + "set_position": "Ustaw pozycję", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Wyzwól", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Uruchom ponownie dodatek", @@ -2762,122 +2935,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Przywraca Home Assistanta", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Nazwa pliku", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Poziom naładowania baterii urządzenia.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domeny do usunięcia", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Zwiększa prędkość o stopień procentowy", + "decrease_speed": "Zmniejsz prędkość", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Zwiększ prędkość", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Ustaw kierunek", + "sets_the_fan_speed": "Ustawia prędkość wentylatora.", + "speed_of_the_fan": "Prędkość wentylatora.", + "percentage": "Procent", + "set_speed": "Ustaw prędkość", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2885,6 +3000,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Zamyka zawór.", + "opens_a_valve": "Otwiera zawór.", + "set_valve_position_description": "Ustawia zawór do określonej pozycji.", + "stops_the_valve_movement": "Zatrzymuje ruch zaworu.", + "toggles_a_valve_open_closed": "Przełącza zawór do stanu otwarty/zamknięty.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Uzbrojenie z niestandardowym obejściem", + "alarm_arm_vacation_description": "Ustawia alarm na: _uzbrojony na czas wakacji_.", + "disarms_the_alarm": "Rozbraja alarm.", + "alarm_trigger_description": "Umożliwia zewnętrzne wyzwolenie alarmu.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Poziom naładowania baterii urządzenia.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2896,10 +3127,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2911,263 +3139,100 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", "brightness_step_description": "Change brightness by an amount.", "brightness_step_value": "Brightness step value", - "brightness_step_pct_description": "Zmienia jasność o stopień procentowy.", + "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Wyzwól", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Pozycja docelowa", - "set_position": "Ustaw pozycję", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domeny do usunięcia", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Zmniejsza licznik.", "increments_a_counter": "Zwiększa licznik.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Uzbrojenie z niestandardowym obejściem", - "alarm_arm_vacation_description": "Ustawia alarm na: _uzbrojony na czas wakacji_.", - "disarms_the_alarm": "Rozbraja alarm.", - "alarm_trigger_description": "Umożliwia zewnętrzne wyzwolenie alarmu.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Uzyskaj prognozę pogody.", "type_description": "Typ prognozy: dzienna, godzinowa lub dwunasto-godzinowa.", "forecast_type": "Typ prognozy", "get_forecast": "Uzyskaj prognozę", "get_weather_forecasts": "Pobierz prognozy pogody.", "get_forecasts": "Pobierz prognozy", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Zwiększa prędkość o stopień procentowy", - "decrease_speed": "Zmniejsz prędkość", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Zwiększ prędkość", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Ustaw kierunek", - "sets_the_fan_speed": "Ustawia prędkość wentylatora.", - "speed_of_the_fan": "Prędkość wentylatora.", - "percentage": "Procent", - "set_speed": "Ustaw prędkość", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Nazwa pliku", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3175,23 +3240,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Zamyka zawór.", - "opens_a_valve": "Otwiera zawór.", - "set_valve_position_description": "Ustawia zawór do określonej pozycji.", - "stops_the_valve_movement": "Zatrzymuje ruch zaworu.", - "toggles_a_valve_open_closed": "Przełącza zawór do stanu otwarty/zamknięty.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json b/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json index 37af6f4..2e09adf 100644 --- a/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json +++ b/packages/core/src/hooks/useLocale/locales/pt-BR/pt-BR.json @@ -10,7 +10,7 @@ "to_do_lists": "Listas de tarefas", "developer_tools": "Ferramentas de desenvolvedor", "media": "Mídias", - "profile": "Perfil", + "profile": "Profile", "panel_shopping_list": "Lista de compras", "unknown": "Desconhecido", "unavailable": "Indisponível", @@ -31,7 +31,7 @@ "read_only_users": "Usuários somente leitura", "user": "Usuário", "integration": "Integração", - "config_entry": "Configuração", + "config": "Configuração", "device": "Dispositivo", "upload_backup": "Fazer upload de backup", "turn_on": "Ligar", @@ -55,7 +55,7 @@ "run": "Executar", "press": "Press", "image_not_available": "Imagem indisponível", - "currently": "Agora", + "now": "Agora", "on_off": "Ligado/Desligado", "name_target_temperature": "temperatura desejada em {name}", "name_target_temperature_mode": "temperatura desejada do {mode} em {name}", @@ -69,8 +69,8 @@ "action_to_target": "{action} para o alvo", "target": "Alvo", "humidity_target": "Alvo de umidade", - "increment": "Acréscimo", - "decrement": "Decréscimo", + "increment": "Increment", + "decrement": "Decrement", "reset": "Reset", "position": "Position", "tilt_position": "Posição de inclinação", @@ -79,9 +79,9 @@ "open_cover_tilt": "Abrir inclinação da cortina", "close_cover_tilt": "Fechar inclinação da cortina", "stop_cover": "Parar a cortina", - "preset_mode": "Modo predefinido", + "preset_mode": "Preset mode", "oscillate": "Oscilar", - "direction": "Direção", + "direction": "Direction", "forward": "Encaminhar", "reverse": "Inverter", "medium": "Médio", @@ -95,19 +95,20 @@ "resume_mowing": "Retomar o corte", "start_mowing": "Comece a cortar", "return_home": "Retornar para a base", - "brightness": "Brilho", + "brightness": "Brightness", "color_temperature": "Color temperature", "white_brightness": "Balanço de branco", "color_brightness": "Brilho da cor", "cold_white_brightness": "Brilho do branco frio", "warm_white_brightness": "Brilho do branco quente", - "effect": "Efeito", + "effect": "Effect", "lock": "Fechadura", "unlock": "Desbloquear", "open": "Aberto", "open_door": "Open door", "really_open": "Realmente aberto?", - "door_open": "Porta aberta", + "done": "Done", + "ui_card_lock_open_door_success": "Porta aberta", "source": "Fonte", "sound_mode": "Modo de som", "browse_media": "Pesquisar mídia", @@ -140,7 +141,7 @@ "installing_progress": "Instalando ({progress}%)", "up_to_date": "Atualizado", "empty_value": "(valor vazio)", - "start": "Start", + "start": "Iniciar", "finish": "Finish", "resume_cleaning": "Continuar limpeza", "start_cleaning": "Iniciar limpeza", @@ -183,6 +184,7 @@ "loading": "Carregando…", "refresh": "Atualizar", "delete": "Excluir", + "delete_all": "Excluir tudo", "download": "Baixar", "duplicate": "Duplicar", "remove": "Remover", @@ -223,6 +225,9 @@ "media_content_type": "Media content type", "upload_failed": "Falha no upload", "unknown_file": "Arquivo desconhecido", + "select_image": "Selecione a imagem", + "upload_picture": "Carregar imagem", + "image_url": "Caminho local ou URL da web", "latitude": "Latitude", "longitude": "Longitude", "radius": "Raio", @@ -236,6 +241,7 @@ "date_and_time": "Data e hora", "duration": "Duration", "entity": "Entity", + "floor": "Piso", "icon": "Ícone", "location": "Localização", "number": "Número", @@ -274,6 +280,7 @@ "was_opened": "foi aberto", "was_closed": "foi fechado", "is_opening": "abrindo", + "is_opened": "está aberto", "is_closing": "fechando", "was_unlocked": "foi destrancada", "was_locked": "foi trancada", @@ -321,10 +328,13 @@ "sort_by_sortcolumn": "Classificar por {sortColumn}", "group_by_groupcolumn": "Agrupar por {groupColumn}", "don_t_group": "Não agrupar", + "collapse_all": "Recolher tudo", + "expand_all": "Expandir tudo", "selected_selected": "Selecionado {selected}", "close_selection_mode": "Fechar modo de seleção", "select_all": "Selecionar tudo", "select_none": "Não selecione nenhum", + "customize_table": "Personalizar tabela", "conversation_agent": "Agente de conversação", "none": "Nenhum", "country": "País", @@ -334,7 +344,7 @@ "no_theme": "Sem tema", "language": "Language", "no_languages_available": "Nenhum idioma disponível", - "text_to_speech": "Conversão de texto em fala", + "text_to_speech": "Text to speech", "voice": "Voz", "no_user": "Nenhum usuário", "add_user": "Adicionar Usuário", @@ -372,7 +382,6 @@ "ui_components_area_picker_add_dialog_text": "Digite o nome da nova área.", "ui_components_area_picker_add_dialog_title": "Adicionar nova área", "show_floors": "Mostrar pisos", - "floor": "Piso", "add_new_floor_name": "Adicionar novo andar ''{name}''", "add_new_floor": "Adicionar novo piso…", "floor_picker_no_floors": "Você não tem piso", @@ -452,6 +461,9 @@ "last_month": "Mês passado", "this_year": "Esse ano", "last_year": "Ano passado", + "reset_to_default_size": "Redefinir para o tamanho padrão", + "number_of_columns": "Número de colunas", + "number_of_rows": "Numero de linhas", "never": "Nunca", "history_integration_disabled": "Integração de histórico desativada", "loading_state_history": "Carregando histórico do estado…", @@ -483,6 +495,10 @@ "filtering_by": "Filtrando por", "number_hidden": "{number} oculto", "ungrouped": "Desagrupado", + "customize": "Personalizar", + "hide_column_title": "Ocultar coluna {title}", + "show_column_title": "Mostrar coluna {title}", + "restore_defaults": "Restaurar padrões", "message": "Mensagem", "genre": "Gênero", "male": "Masculino", @@ -590,7 +606,7 @@ "on_the": "no", "or": "Ou", "at": "em", - "last": "Último", + "last": "Última", "times": "vezes", "summary": "Resumo", "attributes": "Atributos", @@ -732,7 +748,7 @@ "default_code": "Código padrão", "editor_default_code_error": "Código não corresponde ao formato esperado", "entity_id": "ID da entidade", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unidade de medida", "precipitation_unit": "Unidade de precipitação", "display_precision": "Precisão de exibição", "default_value": "Padrão ({value})", @@ -815,7 +831,7 @@ "restart_home_assistant": "Reiniciar o Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Recarregamento rápido", - "reload_description": "Recarrega os auxiliares da configuração YAML.", + "reload_description": "Recarrega zonas da configuração YAML.", "reloading_configuration": "Recarregando configurações", "failed_to_reload_configuration": "Falha ao recarregar a configuração", "restart_description": "Interrompe todas as automações e scripts em execução.", @@ -990,7 +1006,6 @@ "notification_toast_no_matching_link_found": "Não foi encontrado My link correspondente para {path}", "app_configuration": "Configuração do aplicativo", "sidebar_toggle": "Alternar barra lateral", - "done": "Done", "hide_panel": "Ocultar dashboard", "show_panel": "Mostrar dashboard", "show_more_information": "Mostrar mais informações", @@ -1083,11 +1098,13 @@ "raw_editor_error_remove": "Não foi possível remover a configuração: {error}", "title_of_your_dashboard": "Título da sua interface da Dashboard", "edit_title": "Editar título", - "title": "Título", + "title": "Title", "name_view_configuration": "Configuração da Visualização {name}", "add_view": "Editar visualização", + "background_title": "Adicione um background à visualização", "move_view_left": "Mover à esquerda", "move_view_right": "Mover à direita", + "background": "Background", "badges": "Emblemas", "view_type": "Tipo de exibição", "masonry_default": "Alvenaria (padrão)", @@ -1097,7 +1114,7 @@ "subview": "Subvisualização", "max_number_of_columns": "Número máximo de colunas", "edit_in_visual_editor": "Editar no editor visual", - "edit_in_yaml": "Editar como YAML", + "edit_in_yaml": "Editar em YAML", "saving_failed": "Falha ao salvar", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Você não pode alterar sua visualização para outro tipo porque a migração ainda não é suportada. Comece do zero com uma nova visualização se quiser usar outro tipo de visualização.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Você não pode alterar sua visualização para usar o tipo de visualização 'seções' porque a migração ainda não é suportada. Comece do zero com uma nova visualização se quiser experimentar a visualização de 'seções'.", @@ -1120,6 +1137,7 @@ "increase_card_position": "Aumentar a posição do cartão", "more_options": "Mais opções", "search_cards": "Cartões de pesquisa", + "layout": "Disposição", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Qual cartão você gostaria de adicionar à sua visualização de {name} ?", "move_card_error_title": "Impossível mover o cartão", "choose_a_view": "Selecione uma tela", @@ -1138,8 +1156,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} e todos os seus cartões serão excluídos.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} será excluído.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Esta seção", - "edit_name": "Editar nome", - "add_name": "Adicionar nome", + "edit_section": "Editar seção", "suggest_card_header": "Criamos uma sugestão para você", "pick_different_card": "Escolha cartão diferente", "add_to_dashboard": "Adicionar a UI da dashboard", @@ -1160,8 +1177,8 @@ "condition_did_not_pass": "A condição não passou", "invalid_configuration": "Configuração inválida", "entity_numeric_state": "Estado numérico da entidade", - "above": "Acima", - "below": "Abaixo", + "above": "Above", + "below": "Below", "screen": "Tela", "screen_sizes": "Tamanhos de tela", "mobile": "Celular", @@ -1357,6 +1374,8 @@ "ui_panel_lovelace_editor_color_picker_colors_red": "Vermelho", "ui_panel_lovelace_editor_color_picker_colors_teal": "Azul-petróleo", "ui_panel_lovelace_editor_color_picker_colors_white": "Branco", + "ui_panel_lovelace_editor_edit_section_title_title": "Editar nome", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Adicionar nome", "warning_attribute_not_found": "O atributo {attribute} não está disponível em: {entity}", "entity_not_available_entity": "Entidade não disponível: {entity}", "entity_is_non_numeric_entity": "Entidade não é numérica: {entity}", @@ -1365,174 +1384,117 @@ "invalid_display_format": "Formato de exibição inválido", "compare_data": "Comparar dados", "reload_ui": "Recarregar Interface", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Câmera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grupo", - "timer": "Cronômetro", - "zone": "Zona", - "schedule": "Horário", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cobertura", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Entrada booleana", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversação", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cobertura", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Botão de entrada", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Painel de controle do alarme", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventilador", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Rastreador de dispositivo", + "trace": "Trace", + "stream": "Stream", + "person": "Pessoa", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Entrada booleana", + "camera": "Câmera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Entrada de data e hora", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tag", + "diagnostics": "Diagnósticos", + "siren": "Sirene", + "fitbit": "Fitbit", + "automation": "Automação", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Canal de assistência", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Cena", - "climate": "Clima", + "conversation": "Conversação", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Tamanho do arquivo", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Credenciais do aplicativo", - "local_calendar": "Calendário local", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Entrada de texto", - "rpi_power_title": "Verificador de fonte de alimentação Raspberry Pi", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grupo", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Horário", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remoto", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Verificador de fonte de alimentação Raspberry Pi", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Rastreador de dispositivo", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Clima", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remoto", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "Sensor binário", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilador", + "scene": "Cena", + "input_select": "Entrada de seleção", "localtuya": "LocalTuya", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Evento", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Evento", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Contador", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Aplicativo mobile", - "diagnostics": "Diagnósticos", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Pessoa", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tag", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirene", - "input_select": "Entrada de seleção", + "deconz": "deCONZ", + "timer": "Cronômetro", + "application_credentials": "Credenciais do aplicativo", "logger": "Registrador", - "assist_pipeline": "Canal de assistência", - "automation": "Automação", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Botão de entrada", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Contador", - "binary_sensor": "Sensor binário", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "Versão do OS Agent", - "apparmor_version": "Versão do Apparmor", - "cpu_percent": "Porcentagem de CPU", - "disk_free": "Total livre do disco", - "disk_total": "Total do disco", - "disk_used": "Disco usado", - "memory_percent": "Porcentagem de memória", - "version": "Versão", - "newest_version": "Versão mais recente", + "local_calendar": "Calendário local", "synchronize_devices": "Sincronizar dispositivos", - "device_name_current": "{device_name} current", - "current_consumption": "Consumo atual", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Consumo total", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes recebidos", - "server_country": "País do servidor", - "server_id": "ID do servidor", - "server_name": "Nome do servidor", - "ping": "Ping", - "upload": "Carregar", - "bytes_sent": "Bytes enviados", - "air_quality_index": "Índice de qualidade do ar", - "illuminance": "Iluminância", - "noise": "Ruído", - "overload": "Sobrecarga", - "voltage": "Voltagem", - "estimated_distance": "Distância estimada", - "vendor": "Fornecedor", - "assist_in_progress": "Assist está trabalhando", - "auto_gain": "Auto gain", - "mic_volume": "Volume do microfone", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Desligado", - "preferred": "Preferido", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Volume da campainha", - "last_activity": "Última atividade", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Tamanho", - "size_in_bytes": "Tamanho em bytes", - "finished_speaking_detection": "Detecção de fala concluída", - "aggressive": "Agressivo", - "default": "Padrão", - "relaxed": "Relaxado", - "call_active": "Chamada ativa", - "quiet": "Silencioso", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Pesado", "mild": "Leve", "button_down": "Button down", @@ -1552,19 +1514,54 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Administrador do dispositivo", - "kiosk_mode": "Modo Kiosk", - "connected": "Conectado", - "load_start_url": "Carregar URL inicial", - "restart_browser": "Reiniciar o navegador", - "restart_device": "Reiniciar o dispositivo", - "send_to_background": "Enviar para o plano de fundo", - "bring_to_foreground": "Trazer para o primeiro plano", - "screen_brightness": "Brilho da tela", - "screen_off_timer": "Temporizador de tela desligada", - "screensaver_brightness": "Brilho do protetor de tela", - "screensaver_timer": "Temporizador do protetor de tela", - "current_page": "Pagina atual", + "battery_level": "Battery level", + "os_agent_version": "Versão do OS Agent", + "apparmor_version": "Versão do Apparmor", + "cpu_percent": "Porcentagem de CPU", + "disk_free": "Total livre do disco", + "disk_total": "Total do disco", + "disk_used": "Disco usado", + "memory_percent": "Porcentagem de memória", + "version": "Versão", + "newest_version": "Versão mais recente", + "next_dawn": "Próximo amanhecer", + "next_dusk": "Próximo anoitecer", + "next_midnight": "Próxima meia-noite solar", + "next_noon": "Próximo meio-dia solar", + "next_rising": "Próximo nascer do sol", + "next_setting": "Próximo por do sol", + "solar_azimuth": "Azimute solar", + "solar_elevation": "Elevação solar", + "solar_rising": "Nascer do sol", + "compressor_energy_consumption": "Consumo de energia do compressor", + "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor", + "compressor_frequency": "Frequência do compressor", + "cool_energy_consumption": "Consumo de energia fria", + "energy_consumption": "Consumo de energia", + "heat_energy_consumption": "Consumo de energia térmica", + "inside_temperature": "Temperatura interna", + "outside_temperature": "Temperatura exterior", + "assist_in_progress": "Assist está trabalhando", + "preferred": "Preferido", + "finished_speaking_detection": "Detecção de fala concluída", + "aggressive": "Agressivo", + "default": "Padrão", + "relaxed": "Relaxado", + "device_admin": "Administrador do dispositivo", + "kiosk_mode": "Modo Kiosk", + "connected": "Conectado", + "load_start_url": "Carregar URL inicial", + "restart_browser": "Reiniciar o navegador", + "restart_device": "Reiniciar o dispositivo", + "send_to_background": "Enviar para o plano de fundo", + "bring_to_foreground": "Trazer para o primeiro plano", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Brilho da tela", + "screen_off_timer": "Temporizador de tela desligada", + "screensaver_brightness": "Brilho do protetor de tela", + "screensaver_timer": "Temporizador do protetor de tela", + "current_page": "Pagina atual", "foreground_app": "Aplicativo em primeiro plano", "internal_storage_free_space": "Espaço livre de armazenamento interno", "internal_storage_total_space": "Espaço total de armazenamento interno", @@ -1575,34 +1572,83 @@ "maintenance_mode": "Modo de manutenção", "motion_detection": "Detecção de movimento", "screensaver": "Protetor de tela", - "compressor_energy_consumption": "Consumo de energia do compressor", - "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor", - "compressor_frequency": "Frequência do compressor", - "cool_energy_consumption": "Consumo de energia fria", - "energy_consumption": "Consumo de energia", - "heat_energy_consumption": "Consumo de energia térmica", - "inside_temperature": "Temperatura interna", - "outside_temperature": "Temperatura exterior", - "next_dawn": "Próximo amanhecer", - "next_dusk": "Próximo anoitecer", - "next_midnight": "Próxima meia-noite solar", - "next_noon": "Próximo meio-dia solar", - "next_rising": "Próximo nascer do sol", - "next_setting": "Próximo por do sol", - "solar_azimuth": "Azimute solar", - "solar_elevation": "Elevação solar", - "solar_rising": "Nascer do sol", - "calibration": "Calibração", - "auto_lock_paused": "Bloqueio automático pausado", - "timeout": "Tempo esgotado", - "unclosed_alarm": "Alarme não fechado", - "unlocked_alarm": "Alarme desbloqueado", - "bluetooth_signal": "Sinal Bluetooth", - "light_level": "Nível de luz", - "wi_fi_signal": "Sinal de Wi-Fi", - "momentary": "Momentâneo", - "pull_retract": "Puxar/Retrair", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Atualização disponível", + "dry": "Dry", + "wet": "Molhado", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Consumo total", + "device_name_current": "{device_name} current", + "current_consumption": "Consumo atual", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Força do sinal", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltagem", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Processo {process}", + "disk_free_mount_point": "Disco livre {mount_point}", + "disk_use_mount_point": "Uso do disco {mount_point}", + "ipv_address_ip_address": "Endereço IPv6 {ip_address}", + "last_boot": "Última inicialização", + "load_m": "Carga (5m)", + "memory_free": "Memória livre", + "memory_use": "Uso de memória", + "network_in_interface": "Rede recebidos {interface}", + "network_out_interface": "Rede enviados {interface}", + "packets_in_interface": "Pacotes recebido {interface}", + "packets_out_interface": "Pacotes enviados {interface}", + "processor_temperature": "Temperatura do processador", + "processor_use": "Uso do processador", + "swap_free": "Swap livre", + "swap_use": "Uso de swap", + "network_throughput_in_interface": "Taxa de transferência de rede recebidos {interface}", + "network_throughput_out_interface": "Taxa de transferência de rede enviados {interface}", + "estimated_distance": "Distância estimada", + "vendor": "Fornecedor", + "air_quality_index": "Índice de qualidade do ar", + "illuminance": "Iluminância", + "noise": "Ruído", + "overload": "Sobrecarga", + "size": "Tamanho", + "size_in_bytes": "Tamanho em bytes", + "bytes_received": "Bytes recebidos", + "server_country": "País do servidor", + "server_id": "ID do servidor", + "server_name": "Nome do servidor", + "ping": "Ping", + "upload": "Carregar", + "bytes_sent": "Bytes enviados", "animal": "Animal", + "detected": "Detectado", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1612,6 +1658,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1669,23 +1718,26 @@ "image_sharpness": "Nitidez da imagem", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Desligado", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital primeiro", "pan_tilt_first": "Panorâmica/inclinação primeiro", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Automático e sempre ligado à noite", + "stay_off": "Fique longe", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Automático e sempre ligado à noite", - "stay_off": "Fique longe", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1699,6 +1751,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Sinal Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1707,6 +1760,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1714,77 +1768,86 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Processo {process}", - "disk_free_mount_point": "Disco livre {mount_point}", - "disk_use_mount_point": "Uso do disco {mount_point}", - "ipv_address_ip_address": "Endereço IPv6 {ip_address}", - "last_boot": "Última inicialização", - "load_m": "Carga (5m)", - "memory_free": "Memória livre", - "memory_use": "Uso de memória", - "network_in_interface": "Rede recebidos {interface}", - "network_out_interface": "Rede enviados {interface}", - "packets_in_interface": "Pacotes recebido {interface}", - "packets_out_interface": "Pacotes enviados {interface}", - "processor_temperature": "Temperatura do processador", - "processor_use": "Uso do processador", - "swap_free": "Swap livre", - "swap_use": "Uso de swap", - "network_throughput_in_interface": "Taxa de transferência de rede recebidos {interface}", - "network_throughput_out_interface": "Taxa de transferência de rede enviados {interface}", - "device_trackers": "Rastreadores de dispositivos", - "gps_accuracy": "GPS accuracy", + "call_active": "Chamada ativa", + "quiet": "Silencioso", + "auto_gain": "Auto gain", + "mic_volume": "Volume do microfone", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibração", + "auto_lock_paused": "Bloqueio automático pausado", + "timeout": "Tempo esgotado", + "unclosed_alarm": "Alarme não fechado", + "unlocked_alarm": "Alarme desbloqueado", + "bluetooth_signal": "Sinal Bluetooth", + "light_level": "Nível de luz", + "momentary": "Momentâneo", + "pull_retract": "Puxar/Retrair", + "ding": "Ding", + "doorbell_volume": "Volume da campainha", + "last_activity": "Última atividade", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automático", + "box": "Caixa", + "step": "Passo", + "apparent_power": "Potência aparente", + "atmospheric_pressure": "Pressão atmosférica", + "carbon_dioxide": "Dióxido de carbono", + "data_rate": "Taxa de dados", + "distance": "Distância", + "stored_energy": "Energia armazenada", + "frequency": "Frequência", + "irradiance": "Irradiância", + "nitrogen_dioxide": "Dióxido de nitrogênio", + "nitrogen_monoxide": "Monóxido de nitrogênio", + "nitrous_oxide": "Óxido nitroso", + "ozone": "Ozônio", + "ph": "", + "pm": "PM2,5", + "power_factor": "Fator de potência", + "precipitation_intensity": "Intensidade da precipitação", + "pressure": "Pressão", + "reactive_power": "Potência reativa", + "sound_pressure": "Pressão sonora", + "speed": "Velocidade", + "sulphur_dioxide": "Dióxido de enxofre", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Volume armazenado", + "weight": "Peso", + "available_tones": "Tons disponíveis", + "end_time": "Hora de término.", + "start_time": "Hora de início", + "managed_via_ui": "Gerenciado via IU", + "next_event": "Próximo evento", + "stopped": "Stopped", + "garage": "Garagem", "running_automations": "Executando automações", - "max_running_scripts": "Máximo de scripts em execução", + "id": "ID", + "max_running_automations": "Automações de execução máxima", "run_mode": "Modo de execução", "parallel": "Paralelo", "queued": "Enfileirado", "single": "Único", - "end_time": "Hora de término.", - "start_time": "Hora de início", - "recording": "Gravando", - "streaming": "Transmitindo", - "access_token": "Token de acesso", - "brand": "Marca", - "stream_type": "Tipo de transmissão", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Modelo", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Roteador", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aquecimento auxiliar", - "current_humidity": "Umidade atual", - "current_temperature": "Temperatura atual", - "fan_mode": "Fan mode", - "diffuse": "Difuso", - "middle": "Meio", - "top": "Principal", - "current_action": "Ação atual", - "cooling": "Resfriamento", - "drying": "Secagem", - "preheating": "Pré-aquecimento", - "max_target_humidity": "Umidade alvo máxima", - "max_target_temperature": "Temperatura alvo máxima", - "min_target_humidity": "Umidade alvo mínima", - "min_target_temperature": "Temperatura alvo mínima", - "boost": "Turbo", - "comfort": "Conforto", - "eco": "Eco", - "sleep": "Sono", - "presets": "Predefinições", - "swing_mode": "Swing mode", - "both": "Ambos", - "horizontal": "Horizontal", - "upper_target_temperature": "Temperatura alvo superior", - "lower_target_temperature": "Temperatura alvo inferior", - "target_temperature_step": "Etapa de temperatura alvo", - "paused": "Pausado", - "playing": "Reproduzindo", + "not_charging": "Não está carregando", + "unplugged": "Desconectado", + "hot": "Quente", + "no_light": "Sem luz", + "light_detected": "Luz detectada", + "locked": "Trancado", + "unlocked": "Destrancado", + "not_moving": "Parado", + "safe": "Seguro", + "unsafe": "Inseguro", + "tampering_detected": "Detecção de violação", + "paused": "Pausado", + "playing": "Reproduzindo", "standby": "Em espera", "app_id": "ID do aplicativo", "local_accessible_entity_picture": "Imagem da entidade acessível localmente", @@ -1803,73 +1866,11 @@ "receiver": "Receptor", "speaker": "Alto-falante", "tv": "TV", - "color_mode": "Modo de cor", - "brightness_only": "Apenas brilho", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Temperatura de cor (mireds)", - "color_temperature_kelvin": "Temperatura de cor (Kelvin)", - "available_effects": "Efeitos disponíveis", - "maximum_color_temperature_kelvin": "Temperatura de cor máxima (Kelvin)", - "maximum_color_temperature_mireds": "Temperatura de cor máxima (mireds)", - "minimum_color_temperature_kelvin": "Temperatura de cor mínima (Kelvin)", - "minimum_color_temperature_mireds": "Temperatura de cor mínima (mireds)", - "available_color_modes": "Modos de cores disponíveis", - "event_type": "Tipo de evento", - "event_types": "Tipos de eventos", - "doorbell": "Campainha", - "available_tones": "Tons disponíveis", - "locked": "Trancado", - "unlocked": "Destrancado", - "members": "Membros", - "managed_via_ui": "Gerenciado via IU", - "id": "ID", - "max_running_automations": "Automações de execução máxima", - "remaining": "Restante", - "next_event": "Próximo evento", - "update_available": "Atualização disponível", - "auto_update": "Atualização automática", - "in_progress": "Em andamento", - "installed_version": "Versão instalada", - "latest_version": "Última versão", - "release_summary": "Resumo da versão", - "release_url": "URL da versão", - "skipped_version": "Versão ignorada", - "firmware": "Firmware", - "automatic": "Automático", - "box": "Caixa", - "step": "Passo", - "apparent_power": "Potência aparente", - "atmospheric_pressure": "Pressão atmosférica", - "carbon_dioxide": "Dióxido de carbono", - "data_rate": "Taxa de dados", - "distance": "Distância", - "stored_energy": "Energia armazenada", - "frequency": "Frequência", - "irradiance": "Irradiância", - "nitrogen_dioxide": "Dióxido de nitrogênio", - "nitrogen_monoxide": "Monóxido de nitrogênio", - "nitrous_oxide": "Óxido nitroso", - "ozone": "Ozônio", - "ph": "", - "pm": "PM2,5", - "power_factor": "Fator de potência", - "precipitation_intensity": "Intensidade da precipitação", - "pressure": "Pressão", - "reactive_power": "Potência reativa", - "signal_strength": "Força do sinal", - "sound_pressure": "Pressão sonora", - "speed": "Velocidade", - "sulphur_dioxide": "Dióxido de enxofre", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Volume armazenado", - "weight": "Peso", - "stopped": "Stopped", - "garage": "Garagem", + "above_horizon": "Acima do horizonte", + "below_horizon": "Abaixo do horizonte", + "oscillating": "Oscilante", + "speed_step": "Passo de velocidade", + "available_preset_modes": "Modos predefinidos disponíveis", "armed_away": "Armado ausente", "armed_custom_bypass": "Bypass armado personalizado", "armed_home": "Armado em casa", @@ -1881,15 +1882,72 @@ "code_for_arming": "Código para armar", "not_required": "Não obrigatório", "code_format": "Formato de código", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Roteador", + "event_type": "Tipo de evento", + "event_types": "Tipos de eventos", + "doorbell": "Campainha", + "device_trackers": "Rastreadores de dispositivos", + "max_running_scripts": "Máximo de scripts em execução", + "jammed": "Atolado", + "locking": "Bloqueio", + "unlocking": "Desbloqueio", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aquecimento auxiliar", + "current_humidity": "Umidade atual", + "current_temperature": "Temperatura atual", + "fan_mode": "Fan mode", + "diffuse": "Difuso", + "middle": "Meio", + "top": "Principal", + "current_action": "Ação atual", + "cooling": "Resfriamento", + "drying": "Secagem", + "preheating": "Pré-aquecimento", + "max_target_humidity": "Umidade alvo máxima", + "max_target_temperature": "Temperatura alvo máxima", + "min_target_humidity": "Umidade alvo mínima", + "min_target_temperature": "Temperatura alvo mínima", + "boost": "Turbo", + "comfort": "Conforto", + "eco": "Eco", + "sleep": "Sono", + "presets": "Predefinições", + "swing_mode": "Swing mode", + "both": "Ambos", + "horizontal": "Horizontal", + "upper_target_temperature": "Temperatura alvo superior", + "lower_target_temperature": "Temperatura alvo inferior", + "target_temperature_step": "Etapa de temperatura alvo", "last_reset": "Última redefinição", "possible_states": "Estados possíveis", - "state_class": "Classe de estado", + "state_class": "Classe do estado", "measurement": "Medição", "total": "Total", "total_increasing": "Total Acumulado", + "conductivity": "Conductivity", "data_size": "Tamanho dos dados", "balance": "Equilíbrio", "timestamp": "Timestamp", + "color_mode": "Modo de cor", + "brightness_only": "Apenas brilho", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Temperatura de cor (mireds)", + "color_temperature_kelvin": "Temperatura de cor (Kelvin)", + "available_effects": "Efeitos disponíveis", + "maximum_color_temperature_kelvin": "Temperatura de cor máxima (Kelvin)", + "maximum_color_temperature_mireds": "Temperatura de cor máxima (mireds)", + "minimum_color_temperature_kelvin": "Temperatura de cor mínima (Kelvin)", + "minimum_color_temperature_mireds": "Temperatura de cor mínima (mireds)", + "available_color_modes": "Modos de cores disponíveis", "clear_night": "Noite clara", "cloudy": "Nublado", "exceptional": "Excepcional", @@ -1912,58 +1970,75 @@ "uv_index": "Índice UV", "wind_bearing": "Direção do vento", "wind_gust_speed": "Velocidade da rajada de vento", - "above_horizon": "Acima do horizonte", - "below_horizon": "Abaixo do horizonte", - "oscillating": "Oscilante", - "speed_step": "Passo de velocidade", - "available_preset_modes": "Modos predefinidos disponíveis", - "jammed": "Atolado", - "locking": "Bloqueio", - "unlocking": "Desbloqueio", - "identify": "Identificar", - "not_charging": "Não está carregando", - "detected": "Detectado", - "unplugged": "Desconectado", - "hot": "Quente", - "no_light": "Sem luz", - "light_detected": "Luz detectada", - "wet": "Molhado", - "not_moving": "Parado", - "safe": "Seguro", - "unsafe": "Inseguro", - "tampering_detected": "Detecção de violação", + "recording": "Gravando", + "streaming": "Transmitindo", + "access_token": "Token de acesso", + "brand": "Marca", + "stream_type": "Tipo de transmissão", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Modelo", "minute": "Minuto", "second": "Segundo", - "location_is_already_configured": "Localização já está configurada", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Chave de API inválida", - "api_key": "Chave da API", + "members": "Membros", + "remaining": "Restante", + "identify": "Identificar", + "auto_update": "Atualização automática", + "in_progress": "Em andamento", + "installed_version": "Versão instalada", + "latest_version": "Última versão", + "release_summary": "Resumo da versão", + "release_url": "URL da versão", + "skipped_version": "Versão ignorada", + "firmware": "Firmware", + "abort_single_instance_allowed": "Já configurado. Apenas uma configuração é possível.", "user_description": "Deseja iniciar a configuração?", + "device_is_already_configured": "Dispositivo já está configurado", + "re_authentication_was_successful": "A reautenticação foi bem-sucedida", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Falha ao conectar", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Autenticação inválida", + "unexpected_error": "Erro inesperado", + "host": "Host", "account_is_already_configured": "A conta já foi configurada", "abort_already_in_progress": "O fluxo de configuração já está em andamento", - "failed_to_connect": "Falha ao conectar", "invalid_access_token": "Token de acesso inválido", "received_invalid_token_data": "Dados de token recebidos inválidos.", "abort_oauth_failed": "Erro ao obter token de acesso.", "timeout_resolving_oauth_token": "Tempo limite resolvendo o token OAuth.", "abort_oauth_unauthorized": "Erro de autorização OAuth ao obter o token de acesso.", - "re_authentication_was_successful": "A reautenticação foi bem-sucedida", - "timeout_establishing_connection": "Tempo limite para estabelecer conexão atingido", - "unexpected_error": "Erro inesperado", "successfully_authenticated": "Autenticado com sucesso", - "link_google_account": "Vincular Conta do Google", + "link_fitbit": "Vínculo Fitbit", "pick_authentication_method": "Escolha o método de autenticação", "authentication_expired_for_name": "A autenticação expirada para {name}", "service_is_already_configured": "O serviço já está configurado", - "confirm_description": "Deseja configurar {name}?", - "device_is_already_configured": "Dispositivo já está configurado", - "abort_no_devices_found": "Nenhum dispositivo encontrado na rede", - "connection_error_error": "Erro de conexão: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Já configurado. Apenas uma configuração é possível.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Deseja configurar {name}?", + "adapter": "Adaptador", + "multiple_adapters_description": "Selecione um adaptador Bluetooth para configurar", + "abort_already_configured": "O dispositivo já foi configurado.", + "invalid_host": "Host inválido.", + "wrong_smartthings_token": "Token errado do SmartThings.", + "error_st_device_not_found": "ID de TV SmartThings não encontrado.", + "error_st_device_used": "ID de TV SmartThings já está em uso.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host ou endereço IP", + "data_name": "Nome atribuído à entidade", + "smartthings_generated_token_optional": "Token gerado pelo SmartThings (opcional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "ID de TV SmartThings", + "api_key": "Chave da API", + "configure_daikin_ac": "Configurar o AC Daikin", + "abort_device_updated": "A configuração do dispositivo foi atualizada!", + "failed_to_authenticate_msg": "Falha ao autenticar.\n{msg}", + "error_device_list_failed": "Falha ao recuperar a lista de dispositivos.\n{msg}", + "cloud_api_account_configuration": "Configuração da conta da API da Cloud", + "api_server_region": "Região do servidor de API", + "client_id": "ID do Cliente", + "secret": "Secret", + "user_id": "ID do usuário", + "data_no_cloud": "Não configure a conta da API da Cloud", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1979,6 +2054,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "Não é possível conectar. Detalhes: {error_detail}", + "unknown_details_error_detail": "Desconhecido. Detalhes: {error_detail}", + "uses_an_ssl_certificate": "Usar um certificado SSL", + "verify_ssl_certificate": "Verifique o certificado SSL", + "timeout_establishing_connection": "Tempo limite para estabelecer conexão atingido", + "link_google_account": "Vincular Conta do Google", + "abort_no_devices_found": "Nenhum dispositivo encontrado na rede", + "connection_error_error": "Erro de conexão: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Classe do dispositivo", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Localização já está configurada", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Chave de API inválida", + "pin_code": "Código PIN", + "discovered_android_tv": "Android TV descoberta", + "known_hosts": "Hosts conhecidos", + "google_cast_configuration": "Configuração do Google Cast", "abort_invalid_host": "Nome de host ou endereço IP inválido", "device_not_supported": "Dispositivo não suportado", "name_model_at_host": "{name} ({model} em {host})", @@ -1988,29 +2088,6 @@ "yes_do_it": "Sim, faça isso.", "unlock_the_device_optional": "Desbloquear o dispositivo (opcional)", "connect_to_the_device": "Conectar-se ao dispositivo", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "Nenhum serviço encontrado no terminal", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Autenticação inválida", - "two_factor_code": "Código de verificação em duas etapas", - "two_factor_authentication": "Autenticação de duas etapas", - "sign_in_with_ring_account": "Entrar com conta Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Vínculo Fitbit", - "abort_already_configured": "O dispositivo já foi configurado.", - "abort_device_updated": "A configuração do dispositivo foi atualizada!", - "failed_to_authenticate_msg": "Falha ao autenticar.\n{msg}", - "error_device_list_failed": "Falha ao recuperar a lista de dispositivos.\n{msg}", - "cloud_api_account_configuration": "Configuração da conta da API da Cloud", - "api_server_region": "Região do servidor de API", - "client_id": "ID do Cliente", - "secret": "Secret", - "user_id": "ID do usuário", - "data_no_cloud": "Não configure a conta da API da Cloud", "invalid_birth_topic": "Tópico de nascimento inválido", "error_bad_certificate": "O certificado CA é inválido", "invalid_discovery_prefix": "Prefixo de descoberta inválido", @@ -2034,8 +2111,9 @@ "path_is_not_allowed": "O caminho não é permitido", "path_is_not_valid": "O caminho não é válido", "path_to_file": "Caminho para o arquivo", - "known_hosts": "Hosts conhecidos", - "google_cast_configuration": "Configuração do Google Cast", + "api_error_occurred": "Ocorreu um erro de API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Ativar HTTPS", "abort_mdns_missing_mac": "Endereço MAC ausente nas propriedades MDNS.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2043,10 +2121,34 @@ "service_received": "Serviço recebido", "discovered_esphome_node": "Nó ESPHome descoberto", "encryption_key": "Chave de encriptação", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "Nenhum serviço encontrado no terminal", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Tipo de Switchbot sem suporte.", + "authentication_failed_error_detail": "Falha na autenticação: {error_detail}", + "error_encryption_key_invalid": "A chave ID ou Chave de Criptografia é inválida", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Conta SwitchBot (recomendado)", + "menu_options_lock_key": "Insira a chave de criptografia de bloqueio manualmente", + "key_id": "Chave ID", + "password_description": "Senha para proteger o backup.", + "device_address": "Endereço do dispositivo", + "meteorologisk_institutt": "Instituto de Meteorologia", + "two_factor_code": "Código de verificação em duas etapas", + "two_factor_authentication": "Autenticação de duas etapas", + "sign_in_with_ring_account": "Entrar com conta Ring", + "bridge_is_already_configured": "A ponte já está configurada", + "no_deconz_bridges_discovered": "Não há pontes de deCONZ descobertas", + "abort_no_hardware_available": "Nenhum hardware de rádio conectado ao deCONZ", + "abort_updated_instance": "Atualização da instância deCONZ com novo endereço de host", + "error_linking_not_possible": "Não foi possível se conectar com o gateway", + "error_no_key": "Não foi possível obter uma chave de API", + "link_with_deconz": "Linkar com deCONZ", + "select_discovered_deconz_gateway": "Selecione o gateway deCONZ descoberto", "all_entities": "Todas as entidades", "hide_members": "Ocultar membros", "add_group": "Adicionar grupo", - "device_class": "Device class", "ignore_non_numeric": "Ignorar não numérico", "data_round_digits": "Arredondar o valor para o número de casas decimais", "type": "Type", @@ -2059,82 +2161,50 @@ "media_player_group": "Grupo de reprodutores de mídia", "sensor_group": "Grupo de sensores", "switch_group": "Grupo de interruptores", - "name_already_exists": "O nome já existe", - "passive": "Passiva", - "define_zone_parameters": "Definir parâmetros da zona", - "invalid_host": "Host inválido.", - "wrong_smartthings_token": "Token errado do SmartThings.", - "error_st_device_not_found": "ID de TV SmartThings não encontrado.", - "error_st_device_used": "ID de TV SmartThings já está em uso.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host ou endereço IP", - "data_name": "Nome atribuído à entidade", - "smartthings_generated_token_optional": "Token gerado pelo SmartThings (opcional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "ID de TV SmartThings", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "O dispositivo é melhor suportado por outra integração", "abort_discovery_error": "Falha ao descobrir um dispositivo DLNA correspondente", "abort_incomplete_config": "A configuração não tem uma variável obrigatória", "manual_description": "URL para um arquivo XML de descrição do dispositivo", "manual_title": "Conexão manual do dispositivo DLNA DMR", "discovered_dlna_dmr_devices": "Dispositivos DMR DLNA descobertos", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "O nome já existe", + "passive": "Passiva", + "define_zone_parameters": "Definir parâmetros da zona", "calendar_name": "Nome do calendário", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adaptador", - "multiple_adapters_description": "Selecione um adaptador Bluetooth para configurar", - "cannot_connect_details_error_detail": "Não é possível conectar. Detalhes: {error_detail}", - "unknown_details_error_detail": "Desconhecido. Detalhes: {error_detail}", - "uses_an_ssl_certificate": "Usar um certificado SSL", - "verify_ssl_certificate": "Verifique o certificado SSL", - "configure_daikin_ac": "Configurar o AC Daikin", - "pin_code": "Código PIN", - "discovered_android_tv": "Android TV descoberta", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "A ponte já está configurada", - "no_deconz_bridges_discovered": "Não há pontes de deCONZ descobertas", - "abort_no_hardware_available": "Nenhum hardware de rádio conectado ao deCONZ", - "abort_updated_instance": "Atualização da instância deCONZ com novo endereço de host", - "error_linking_not_possible": "Não foi possível se conectar com o gateway", - "error_no_key": "Não foi possível obter uma chave de API", - "link_with_deconz": "Linkar com deCONZ", - "select_discovered_deconz_gateway": "Selecione o gateway deCONZ descoberto", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Tipo de Switchbot sem suporte.", - "authentication_failed_error_detail": "Falha na autenticação: {error_detail}", - "error_encryption_key_invalid": "A chave ID ou Chave de Criptografia é inválida", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Conta SwitchBot (recomendado)", - "menu_options_lock_key": "Insira a chave de criptografia de bloqueio manualmente", - "key_id": "Chave ID", - "password_description": "Senha para proteger o backup.", - "device_address": "Endereço do dispositivo", - "meteorologisk_institutt": "Instituto de Meteorologia", - "api_error_occurred": "Ocorreu um erro de API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Ativar HTTPS", - "enable_the_conversation_agent": "Habilitar o agente de conversa", - "language_code": "Código do idioma", - "select_test_server": "Selecione o servidor de teste", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "RSSI mínimo", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Modo de varredura Bluetooth", + "passive_scanning": "Varredura passiva", + "samsungtv_smart_options": "Opções SamsungTV Smart", + "data_use_st_status_info": "Use as informações de status da TV SmartThings", + "data_use_st_channel_info": "Use as informações dos canais de TV SmartThings", + "data_show_channel_number": "Use as informações de número dos canais de TV SmartThings", + "data_app_load_method": "Modo de carregamento da lista de aplicativos na inicialização", + "data_use_local_logo": "Permitir o uso de imagens de logotipos locais", + "data_power_on_method": "Método usado para ligar a TV", + "show_options_menu": "Mostrar menu opções", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "Opções avançadas SamsungTV Smart", + "applications_launch_method_used": "Método usado na inicialização de aplicativos", + "data_power_on_delay": "Segundos de delay para o status LIGADO", + "data_ext_power_entity": "Binary sensor para ajudar a detectar o status de energia", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Dispositivo {dev_name} {action} com sucesso.", "not_supported": "Não suportado", "localtuya_configuration": "Configuração LocalTuya", @@ -2217,6 +2287,23 @@ "enable_heuristic_action_optional": "Ativar ação heurística (opcional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Habilitar o agente de conversa", + "language_code": "Código do idioma", + "data_process": "Processos para adicionar como sensor(es)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "RSSI mínimo", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Acesso do Home Assistant ao Google Calendar", + "ignore_cec": "Ignorar CEC", + "allowed_uuids": "UUIDs permitidos", + "advanced_google_cast_configuration": "Configuração avançada do Google Cast", "broker_options": "Opções do broker", "enable_birth_message": "Ativar ´Birth message´", "birth_message_payload": "Payload ´Birth message´", @@ -2230,106 +2317,37 @@ "will_message_retain": "Retain `Will message`", "will_message_topic": "Tópico `Will message`", "mqtt_options": "Opções de MQTT", - "ignore_cec": "Ignorar CEC", - "allowed_uuids": "UUIDs permitidos", - "advanced_google_cast_configuration": "Configuração avançada do Google Cast", - "samsungtv_smart_options": "Opções SamsungTV Smart", - "data_use_st_status_info": "Use as informações de status da TV SmartThings", - "data_use_st_channel_info": "Use as informações dos canais de TV SmartThings", - "data_show_channel_number": "Use as informações de número dos canais de TV SmartThings", - "data_app_load_method": "Modo de carregamento da lista de aplicativos na inicialização", - "data_use_local_logo": "Permitir o uso de imagens de logotipos locais", - "data_power_on_method": "Método usado para ligar a TV", - "show_options_menu": "Mostrar menu opções", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "Opções avançadas SamsungTV Smart", - "applications_launch_method_used": "Método usado na inicialização de aplicativos", - "data_power_on_delay": "Segundos de delay para o status LIGADO", - "data_ext_power_entity": "Binary sensor para ajudar a detectar o status de energia", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Modo de varredura Bluetooth", + "protocol": "Protocolo", + "select_test_server": "Selecione o servidor de teste", + "retry_count": "Contagem de tentativas", + "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP", + "allow_deconz_light_groups": "Permitir grupos de luz deCONZ", + "data_allow_new_devices": "Permitir a adição automática de novos dispositivos", + "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ", + "deconz_options": "Opções deCONZ", "invalid_url": "URL inválida", "data_browse_unfiltered": "Mostrar mídia incompatível ao navegar", "event_listener_callback_url": "URL de retorno do ouvinte de eventos", "data_listen_port": "Porta do ouvinte de eventos (aleatório se não estiver definido)", "poll_for_device_availability": "Pesquisa de disponibilidade do dispositivo", "init_title": "Configuração do renderizador de mídia digital DLNA", - "passive_scanning": "Varredura passiva", - "allow_deconz_clip_sensors": "Permitir sensores deCONZ CLIP", - "allow_deconz_light_groups": "Permitir grupos de luz deCONZ", - "data_allow_new_devices": "Permitir a adição automática de novos dispositivos", - "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ", - "deconz_options": "Opções deCONZ", - "retry_count": "Contagem de tentativas", - "data_calendar_access": "Acesso do Home Assistant ao Google Calendar", - "protocol": "Protocolo", - "data_process": "Processos para adicionar como sensor(es)", - "toggle_entity_name": "Alternar {entity_name}", - "turn_off_entity_name": "Desativar {entity_name}", - "turn_on_entity_name": "Ativar {entity_name}", - "entity_name_is_off": "{entity_name} está desativado", - "entity_name_is_on": "{entity_name} está ativado", - "trigger_type_changed_states": "{entity_name} ativado ou desativado", - "entity_name_turned_off": "{entity_name} desativado", - "entity_name_turned_on": "{entity_name} ativado", - "entity_name_is_home": "{entity_name} está em casa", - "entity_name_is_not_home": "{entity_name} não está em casa", - "entity_name_enters_a_zone": "{entity_name} entra em uma zona", - "entity_name_leaves_a_zone": "{entity_name} sai de uma zona", - "action_type_set_hvac_mode": "Alterar o modo HVAC em {entity_name}", - "change_preset_on_entity_name": "Alterar predefinição em {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} umidade medida alterada", - "entity_name_measured_temperature_changed": "{entity_name} temperatura medida alterada", - "entity_name_hvac_mode_changed": "{entity_name} modo HVAC alterado", - "entity_name_is_buffering": "{entity_name} está em buffer", - "entity_name_is_idle": "{entity_name} está ocioso", - "entity_name_is_paused": "{entity_name} for pausado", - "entity_name_is_playing": "{entity_name} está reproduzindo", - "entity_name_starts_buffering": "{entity_name} inicia o armazenamento em buffer", - "entity_name_becomes_idle": "{entity_name} ficar ocioso", - "entity_name_starts_playing": "{entity_name} começar a reproduzir", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Primeiro botão", "second_button": "Segundo botão", "third_button": "Terceiro botão", "fourth_button": "Quarto botão", - "fifth_button": "Quinto botão", - "sixth_button": "Sexto botão", + "subtype_button_down": "{subtype} botão para baixo", + "subtype_button_up": "{subtype} botão para cima", "subtype_double_clicked": "\"{subtype}\" duplo clique", - "subtype_continuously_pressed": "\"{subtype}\" pressionado continuamente", - "trigger_type_button_long_release": "\"{subtype}\" lançado após longa prensa", - "subtype_quadruple_clicked": "\"{subtype}\" quádruplo clicado", - "subtype_quintuple_clicked": "\"{subtype}\" quíntuplo clicado", - "subtype_pressed": "\"{subtype}\" pressionado", - "subtype_released": "\"{subtype}\" liberados", - "subtype_triple_clicked": "\"{subtype}\" triplo clique", - "decrease_entity_name_brightness": "Diminuir o brilho {entity_name}", - "increase_entity_name_brightness": "Aumente o brilho {entity_name}", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Altere {entity_name} para a primeira opção", - "action_type_select_last": "Altere {entity_name} para a última opção", - "action_type_select_next": "Altere {entity_name} para a próxima opção", - "change_entity_name_option": "Alterar opção de {entity_name}", - "action_type_select_previous": "Altere {entity_name} para a opção anterior", - "current_entity_name_selected_option": "Opção selecionada atual de {entity_name}", - "entity_name_option_changed": "{entity_name} opção alterada", - "entity_name_update_availability_changed": "{entity_name} disponibilidade de atualização alterada", - "entity_name_became_up_to_date": "{entity_name} for atualizado", - "trigger_type_turned_on": "{entity_name} tem uma atualização disponível", - "subtype_button_down": "{subtype} botão para baixo", - "subtype_button_up": "{subtype} botão para cima", "subtype_double_push": "{subtype} empurrão duplo", "subtype_long_clicked": "{subtype} clicado longo", "subtype_long_push": "{subtype} empurrão longo", @@ -2337,8 +2355,10 @@ "subtype_single_clicked": "{subtype} único clicado", "trigger_type_single_long": "{subtype} único clicado e, em seguida, clique longo", "subtype_single_push": "{subtype} único empurrão", + "subtype_triple_clicked": "\"{subtype}\" triplo clique", "subtype_triple_push": "{subtype} impulso triplo", "set_value_for_entity_name": "Definir valor para {entity_name}", + "value": "Valor", "close_entity_name": "Fechar {entity_name}", "close_entity_name_tilt": "Fechar inclinação de {entity_name}", "open_entity_name": "Abrir {entity_name}", @@ -2358,7 +2378,110 @@ "entity_name_opening": "{entity_name} estiver abrindo", "entity_name_position_changes": "houver mudança de posição de {entity_name}", "entity_name_tilt_position_changes": "houver mudança na posição de inclinação de {entity_name}", - "send_a_notification": "Enviar uma notificação", + "entity_name_battery_is_low": "{entity_name} a bateria está fraca", + "entity_name_is_charging": "{entity_name} está carregando", + "condition_type_is_co": "{entity_name} está detectando monóxido de carbono", + "entity_name_is_cold": "{entity_name} é frio", + "entity_name_is_connected": "{entity_name} está conectado", + "entity_name_is_detecting_gas": "{entity_name} está detectando gás", + "entity_name_is_hot": "{entity_name} é quente", + "entity_name_is_detecting_light": "{entity_name} está detectando luz", + "entity_name_is_locked": "{entity_name} está bloqueado", + "entity_name_is_moist": "{entity_name} está úmido", + "entity_name_is_detecting_motion": "{entity_name} está detectando movimento", + "entity_name_is_moving": "{entity_name} está se movendo", + "condition_type_is_no_co": "{entity_name} não está detectando monóxido de carbono", + "condition_type_is_no_gas": "{entity_name} não está detectando gás", + "condition_type_is_no_light": "{entity_name} não está detectando luz", + "condition_type_is_no_motion": "{entity_name} não está detectando movimento", + "condition_type_is_no_problem": "{entity_name} não está detectando problema", + "condition_type_is_no_smoke": "{entity_name} não está detectando fumaça", + "condition_type_is_no_sound": "{entity_name} não está detectando som", + "entity_name_is_up_to_date": "{entity_name} está atualizado", + "condition_type_is_no_vibration": "{entity_name} não está detectando vibração", + "entity_name_battery_normal": "{entity_name} bateria normal", + "entity_name_not_charging": "{entity_name} não está carregando", + "entity_name_is_not_cold": "{entity_name} não é frio", + "entity_name_is_unplugged": "{entity_name} está desconectado", + "entity_name_is_not_hot": "{entity_name} não é quente", + "entity_name_is_unlocked": "{entity_name} está desbloqueado", + "entity_name_is_dry": "{entity_name} está seco", + "entity_name_is_not_moving": "{entity_name} está parado", + "entity_name_is_not_occupied": "{entity_name} não está ocupado", + "entity_name_is_not_powered": "{entity_name} não é alimentado", + "entity_name_not_present": "{entity_name} não está presente", + "entity_name_is_not_running": "{entity_name} não está em execução", + "condition_type_is_not_tampered": "{entity_name} não está detectando adulteração", + "entity_name_is_safe": "{entity_name} é seguro", + "entity_name_is_occupied": "{entity_name} está ocupado", + "entity_name_is_off": "{entity_name} está desativado", + "entity_name_is_on": "{entity_name} está ativado", + "entity_name_is_powered": "{entity_name} é alimentado", + "entity_name_is_present": "{entity_name} está presente", + "entity_name_is_detecting_problem": "{entity_name} está detectando problema", + "entity_name_is_running": "{entity_name} está em execução", + "entity_name_is_detecting_smoke": "{entity_name} está detectando fumaça", + "entity_name_is_detecting_sound": "{entity_name} está detectando som", + "entity_name_is_detecting_tampering": "{entity_name} está detectando adulteração", + "entity_name_is_unsafe": "{entity_name} é inseguro", + "trigger_type_turned_on": "{entity_name} tem uma atualização disponível", + "entity_name_is_detecting_vibration": "{entity_name} está detectando vibração", + "entity_name_battery_low": "{entity_name} bateria fraca", + "entity_name_charging": "{entity_name} carregando", + "trigger_type_co": "{entity_name} começou a detectar monóxido de carbono", + "entity_name_became_cold": "{entity_name} frio", + "entity_name_connected": "{entity_name} conectado", + "entity_name_started_detecting_gas": "{entity_name} começou a detectar gás", + "entity_name_became_hot": "{entity_name} tornou-se quente", + "entity_name_started_detecting_light": "{entity_name} começou a detectar luz", + "entity_name_locked": "{entity_name} for bloqueado", + "entity_name_became_moist": "{entity_name} ficar úmido", + "entity_name_started_detecting_motion": "{entity_name} começou a detectar movimento", + "entity_name_started_moving": "{entity_name} começou a se mover", + "trigger_type_no_co": "{entity_name} parou de detectar monóxido de carbono", + "entity_name_stopped_detecting_gas": "{entity_name} parou de detectar gás", + "entity_name_stopped_detecting_light": "{entity_name} parou de detectar luz", + "entity_name_stopped_detecting_motion": "{entity_name} parou de detectar movimento", + "entity_name_stopped_detecting_problem": "{entity_name} parou de detectar problema", + "entity_name_stopped_detecting_smoke": "{entity_name} parou de detectar fumaça", + "entity_name_stopped_detecting_sound": "{entity_name} parou de detectar som", + "entity_name_became_up_to_date": "{entity_name} foi atualizado", + "entity_name_stopped_detecting_vibration": "{entity_name} parou de detectar vibração", + "entity_name_became_not_cold": "{entity_name} não frio", + "entity_name_unplugged": "{entity_name} desconectado", + "entity_name_became_not_hot": "{entity_name} não quente", + "entity_name_unlocked": "{entity_name} for desbloqueado", + "entity_name_became_dry": "{entity_name} secou", + "entity_name_stopped_moving": "{entity_name} parado", + "entity_name_became_not_occupied": "{entity_name} desocupado", + "entity_name_not_powered": "{entity_name} sem alimentação", + "trigger_type_not_running": "{entity_name} não estiver mais em execução", + "entity_name_stopped_detecting_tampering": "{entity_name} parou de detectar adulteração", + "entity_name_became_safe": "{entity_name} seguro", + "entity_name_became_occupied": "{entity_name} ocupado", + "entity_name_powered": "{entity_name} alimentado", + "entity_name_present": "{entity_name} presente", + "entity_name_started_detecting_problem": "{entity_name} começou a detectar problema", + "entity_name_started_running": "{entity_name} começou a executar", + "entity_name_started_detecting_smoke": "{entity_name} começou a detectar fumaça", + "entity_name_started_detecting_sound": "{entity_name} começou a detectar som", + "entity_name_started_detecting_tampering": "{entity_name} começou a detectar adulteração", + "entity_name_turned_off": "{entity_name} desativado", + "entity_name_turned_on": "{entity_name} ativado", + "entity_name_became_unsafe": "{entity_name} tornou-se inseguro", + "trigger_type_update": "{entity_name} tiver uma atualização disponível", + "entity_name_started_detecting_vibration": "{entity_name} começou a detectar vibração", + "entity_name_is_buffering": "{entity_name} está em buffer", + "entity_name_is_idle": "{entity_name} está ocioso", + "entity_name_is_paused": "{entity_name} for pausado", + "entity_name_is_playing": "{entity_name} está reproduzindo", + "entity_name_starts_buffering": "{entity_name} inicia o armazenamento em buffer", + "trigger_type_changed_states": "{entity_name} ativado ou desativado", + "entity_name_becomes_idle": "{entity_name} ficar ocioso", + "entity_name_starts_playing": "{entity_name} começar a reproduzir", + "toggle_entity_name": "Alternar {entity_name}", + "turn_off_entity_name": "Desativar {entity_name}", + "turn_on_entity_name": "Ativar {entity_name}", "arm_entity_name_away": "Armar {entity_name} longe", "arm_entity_name_home": "Armar {entity_name} casa", "arm_entity_name_night": "Armar {entity_name} noite", @@ -2377,12 +2500,26 @@ "entity_name_armed_vacation": "{entity_name} armadado para férias", "entity_name_disarmed": "{entity_name} desarmado", "entity_name_triggered": "{entity_name} acionado", + "entity_name_is_home": "{entity_name} está em casa", + "entity_name_is_not_home": "{entity_name} não está em casa", + "entity_name_enters_a_zone": "{entity_name} entra em uma zona", + "entity_name_leaves_a_zone": "{entity_name} sai de uma zona", + "lock_entity_name": "Bloquear {entity_name}", + "unlock_entity_name": "Desbloquear {entity_name}", + "action_type_set_hvac_mode": "Alterar o modo HVAC em {entity_name}", + "change_preset_on_entity_name": "Alterar predefinição em {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} umidade medida alterada", + "entity_name_measured_temperature_changed": "{entity_name} temperatura medida alterada", + "entity_name_hvac_mode_changed": "{entity_name} modo HVAC alterado", "current_entity_name_apparent_power": "Potência aparente atual de {entity_name}", "condition_type_is_aqi": "Índice de qualidade do ar atual de {entity_name}", "current_entity_name_atmospheric_pressure": "Pressão atmosférica atual {entity_name}", "current_entity_name_battery_level": "Nível atual da bateria {entity_name}", "condition_type_is_carbon_dioxide": "Nível atual de concentração de dióxido de carbono de {entity_name}", "condition_type_is_carbon_monoxide": "Nível de concentração de monóxido de carbono atual de {entity_name}", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Corrente atual de {entity_name}", "current_entity_name_data_rate": "Taxa de dados atual {entity_name}", "current_entity_name_data_size": "Tamanho atual dos dados {entity_name}", @@ -2427,6 +2564,7 @@ "entity_name_battery_level_changes": "{entity_name} mudanças no nível da bateria", "trigger_type_carbon_dioxide": "Mudanças na concentração de dióxido de carbono de {entity_name}", "trigger_type_carbon_monoxide": "Alterações na concentração de monóxido de carbono de {entity_name}", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "Mudança na corrente de {entity_name}", "entity_name_data_rate_changes": "Alterações na taxa de dados de {entity_name}", "entity_name_data_size_changes": "{entity_name} alterações no tamanho dos dados", @@ -2465,95 +2603,28 @@ "entity_name_water_changes": "mudanças de água {entity_name}", "entity_name_weight_changes": "Alterações de peso {entity_name}", "entity_name_wind_speed_changes": "{entity_name} mudanças na velocidade do vento", - "press_entity_name_button": "Pressione o botão {entity_name}", - "entity_name_has_been_pressed": "{entity_name} foi pressionado", - "entity_name_battery_is_low": "{entity_name} a bateria está fraca", - "entity_name_is_charging": "{entity_name} está carregando", - "condition_type_is_co": "{entity_name} está detectando monóxido de carbono", - "entity_name_is_cold": "{entity_name} é frio", - "entity_name_is_connected": "{entity_name} está conectado", - "entity_name_is_detecting_gas": "{entity_name} está detectando gás", - "entity_name_is_hot": "{entity_name} é quente", - "entity_name_is_detecting_light": "{entity_name} está detectando luz", - "entity_name_is_locked": "{entity_name} está bloqueado", - "entity_name_is_moist": "{entity_name} está úmido", - "entity_name_is_detecting_motion": "{entity_name} está detectando movimento", - "entity_name_is_moving": "{entity_name} está se movendo", - "condition_type_is_no_co": "{entity_name} não está detectando monóxido de carbono", - "condition_type_is_no_gas": "{entity_name} não está detectando gás", - "condition_type_is_no_light": "{entity_name} não está detectando luz", - "condition_type_is_no_motion": "{entity_name} não está detectando movimento", - "condition_type_is_no_problem": "{entity_name} não está detectando problema", - "condition_type_is_no_smoke": "{entity_name} não está detectando fumaça", - "condition_type_is_no_sound": "{entity_name} não está detectando som", - "entity_name_is_up_to_date": "{entity_name} está atualizado", - "condition_type_is_no_vibration": "{entity_name} não está detectando vibração", - "entity_name_battery_normal": "{entity_name} bateria normal", - "entity_name_not_charging": "{entity_name} não está carregando", - "entity_name_is_not_cold": "{entity_name} não é frio", - "entity_name_is_unplugged": "{entity_name} está desconectado", - "entity_name_is_not_hot": "{entity_name} não é quente", - "entity_name_is_unlocked": "{entity_name} está desbloqueado", - "entity_name_is_dry": "{entity_name} está seco", - "entity_name_is_not_moving": "{entity_name} está parado", - "entity_name_is_not_occupied": "{entity_name} não está ocupado", - "entity_name_is_not_powered": "{entity_name} não é alimentado", - "entity_name_not_present": "{entity_name} não está presente", - "entity_name_is_not_running": "{entity_name} não está em execução", - "condition_type_is_not_tampered": "{entity_name} não está detectando adulteração", - "entity_name_is_safe": "{entity_name} é seguro", - "entity_name_is_occupied": "{entity_name} está ocupado", - "entity_name_is_powered": "{entity_name} é alimentado", - "entity_name_is_present": "{entity_name} está presente", - "entity_name_is_detecting_problem": "{entity_name} está detectando problema", - "entity_name_is_running": "{entity_name} está em execução", - "entity_name_is_detecting_smoke": "{entity_name} está detectando fumaça", - "entity_name_is_detecting_sound": "{entity_name} está detectando som", - "entity_name_is_detecting_tampering": "{entity_name} está detectando adulteração", - "entity_name_is_unsafe": "{entity_name} é inseguro", - "entity_name_is_detecting_vibration": "{entity_name} está detectando vibração", - "entity_name_battery_low": "{entity_name} bateria fraca", - "entity_name_charging": "{entity_name} carregando", - "trigger_type_co": "{entity_name} começou a detectar monóxido de carbono", - "entity_name_became_cold": "{entity_name} frio", - "entity_name_connected": "{entity_name} conectado", - "entity_name_started_detecting_gas": "{entity_name} começou a detectar gás", - "entity_name_became_hot": "{entity_name} tornou-se quente", - "entity_name_started_detecting_light": "{entity_name} começou a detectar luz", - "entity_name_locked": "{entity_name} for bloqueado", - "entity_name_became_moist": "{entity_name} ficar úmido", - "entity_name_started_detecting_motion": "{entity_name} começou a detectar movimento", - "entity_name_started_moving": "{entity_name} começou a se mover", - "trigger_type_no_co": "{entity_name} parou de detectar monóxido de carbono", - "entity_name_stopped_detecting_gas": "{entity_name} parou de detectar gás", - "entity_name_stopped_detecting_light": "{entity_name} parou de detectar luz", - "entity_name_stopped_detecting_motion": "{entity_name} parou de detectar movimento", - "entity_name_stopped_detecting_problem": "{entity_name} parou de detectar problema", - "entity_name_stopped_detecting_smoke": "{entity_name} parou de detectar fumaça", - "entity_name_stopped_detecting_sound": "{entity_name} parou de detectar som", - "entity_name_stopped_detecting_vibration": "{entity_name} parou de detectar vibração", - "entity_name_became_not_cold": "{entity_name} não frio", - "entity_name_unplugged": "{entity_name} desconectado", - "entity_name_became_not_hot": "{entity_name} não quente", - "entity_name_unlocked": "{entity_name} for desbloqueado", - "entity_name_became_dry": "{entity_name} secou", - "entity_name_stopped_moving": "{entity_name} parado", - "entity_name_became_not_occupied": "{entity_name} desocupado", - "entity_name_not_powered": "{entity_name} sem alimentação", - "trigger_type_not_running": "{entity_name} não estiver mais em execução", - "entity_name_stopped_detecting_tampering": "{entity_name} parou de detectar adulteração", - "entity_name_became_safe": "{entity_name} seguro", - "entity_name_became_occupied": "{entity_name} ocupado", - "entity_name_powered": "{entity_name} alimentado", - "entity_name_present": "{entity_name} presente", - "entity_name_started_detecting_problem": "{entity_name} começou a detectar problema", - "entity_name_started_running": "{entity_name} começou a executar", - "entity_name_started_detecting_smoke": "{entity_name} começou a detectar fumaça", - "entity_name_started_detecting_sound": "{entity_name} começou a detectar som", - "entity_name_started_detecting_tampering": "{entity_name} começou a detectar adulteração", - "entity_name_became_unsafe": "{entity_name} tornou-se inseguro", - "trigger_type_update": "{entity_name} tiver uma atualização disponível", - "entity_name_started_detecting_vibration": "{entity_name} começou a detectar vibração", + "decrease_entity_name_brightness": "Diminuir o brilho {entity_name}", + "increase_entity_name_brightness": "Aumente o brilho {entity_name}", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Quinto botão", + "sixth_button": "Sexto botão", + "subtype_continuously_pressed": "\"{subtype}\" pressionado continuamente", + "trigger_type_button_long_release": "\"{subtype}\" lançado após longa prensa", + "subtype_quadruple_clicked": "\"{subtype}\" quádruplo clicado", + "subtype_quintuple_clicked": "\"{subtype}\" quíntuplo clicado", + "subtype_pressed": "\"{subtype}\" pressionado", + "subtype_released": "\"{subtype}\" liberados", + "action_type_select_first": "Altere {entity_name} para a primeira opção", + "action_type_select_last": "Altere {entity_name} para a última opção", + "action_type_select_next": "Altere {entity_name} para a próxima opção", + "change_entity_name_option": "Alterar opção de {entity_name}", + "action_type_select_previous": "Altere {entity_name} para a opção anterior", + "current_entity_name_selected_option": "Opção selecionada atual de {entity_name}", + "cycle": "Ciclo", + "from": "From", + "entity_name_option_changed": "{entity_name} opção alterada", + "send_a_notification": "Enviar uma notificação", "both_buttons": "Ambos os botões", "bottom_buttons": "Botões inferiores", "seventh_button": "Sétimo botão", @@ -2579,16 +2650,23 @@ "trigger_type_remote_rotate_from_side": "Dispositivo girado de \"lado 6\" para \"{subtype}\"", "device_turned_clockwise": "Dispositivo girado no sentido horário", "device_turned_counter_clockwise": "Dispositivo girado no sentido anti-horário", - "lock_entity_name": "Bloquear {entity_name}", - "unlock_entity_name": "Desbloquear {entity_name}", - "critical": "Crítico", - "debug": "Depurar", - "warning": "Aviso", + "press_entity_name_button": "Pressione o botão {entity_name}", + "entity_name_has_been_pressed": "{entity_name} foi pressionado", + "entity_name_update_availability_changed": "{entity_name} disponibilidade de atualização alterada", "add_to_queue": "Adicionar à fila", "play_next": "Reproduzir próximo", "options_replace": "Toque agora e limpe a fila", "repeat_all": "Repetir tudo", "repeat_one": "Repita um", + "critical": "Crítico", + "debug": "Depurar", + "warning": "Aviso", + "most_recently_updated": "Atualização mais recente", + "arithmetic_mean": "Média aritmética", + "median": "Mediana", + "product": "Produto", + "statistical_range": "Intervalo estatístico", + "standard_deviation": "Standard deviation", "alice_blue": "Azul Alice", "antique_white": "Branco antigo", "aquamarine": "Água-marinha", @@ -2715,16 +2793,111 @@ "wheat": "Trigo", "white_smoke": "White smoke", "yellow_green": "Amarelo verde", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Atualização mais recente", - "arithmetic_mean": "Média aritmética", - "median": "Mediana", - "product": "Produto", - "statistical_range": "Intervalo estatístico", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Registra todas as tarefas assíncronas atuais.", + "log_current_asyncio_tasks": "Registrar tarefas assíncronas atuais", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Envia um comando request_sync ao Google.", + "agent_user_id": "ID do usuário do agente", + "request_sync": "Solicitar sincronização", + "reload_resources_description": "Recarrega os recursos do painel da configuração YAML.", + "clears_all_log_entries": "Limpa todas as entradas de registro.", + "clear_all": "Limpar tudo", + "write_log_entry": "Escrever entrada de log.", + "log_level": "Nível de log.", + "level": "Nível", + "message_to_log": "Mensagem para registro.", + "write": "Escrever", + "set_value_description": "Define o valor do número", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Ativa/desativa a sirene.", + "turns_the_siren_off": "Desliga a sirene.", + "turns_the_siren_on": "Liga a sirene.", + "tone": "Tom", + "add_event_description": "Adiciona um novo evento no calendário", + "location_description": "A localização do evento. Opcional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Fecha uma cortina.", + "close_cover_tilt_description": "Inclina uma cortina para fechar.", + "close_tilt": "Inclinação fechada", + "opens_a_cover": "Abre uma cortina.", + "tilts_a_cover_open": "Inclina uma cortina aberta.", + "open_tilt": "Inclinação aberta", + "set_cover_position_description": "Move uma cortina para uma posição específica.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Posição de inclinação alvo.", + "set_tilt_position": "Definir posição de inclinação", + "stops_the_cover_movement": "Para o movimento da cortina.", + "stop_cover_tilt_description": "Interrompe o movimento de inclinação da cortina.", + "stop_tilt": "Parar inclinação", + "toggles_a_cover_open_closed": "Alterna uma cortina aberta/fechada.", + "toggle_cover_tilt_description": "Alterna a inclinação da cortina aberta/fechada.", + "toggle_tilt": "Alternar inclinação", + "check_configuration": "Verificar a configuração", + "reload_all": "Recarregar tudo", + "reload_config_entry_description": "Recarrega a entrada de configuração especificada.", + "config_entry_id": "ID de entrada de configuração", + "reload_config_entry": "Recarregar entrada de configuração", + "reload_core_config_description": "Recarrega a configuração principal da configuração YAML.", + "reload_core_configuration": "Recarregar configuração principal", + "reload_custom_jinja_templates": "Recarregue templates personalizados do Jinja2", + "restarts_home_assistant": "Reinicia o Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Salvar estados persistentes", + "set_location_description": "Atualiza a localização do Home Assistant.", + "elevation_of_your_location": "Elevação da sua localização.", + "latitude_of_your_location": "Latitude da sua localização.", + "longitude_of_your_location": "Longitude da sua localização.", + "set_location": "Definir localização", + "stops_home_assistant": "Para o Home Assistant.", + "generic_toggle": "Alternância genérica", + "generic_turn_off": "Desligamento genérico", + "generic_turn_on": "Ativação genérica", + "update_entity": "Atualizar entidade", + "creates_a_new_backup": "Cria um novo backup.", + "decrement_description": "Diminui o valor atual em 1 passo.", + "increment_description": "Incrementa o valor em 1 passo.", + "sets_the_value": "Define o valor.", + "the_target_value": "O valor alvo.", + "reloads_the_automation_configuration": "Recarrega a configuração de automação.", + "toggle_description": "Ativa/desativa um media player.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Gatilho", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Reinicia um add-on.", "the_add_on_slug": "O slug add-on.", "restart_add_on": "Reinicie o add-on.", @@ -2759,27 +2932,110 @@ "restore_partial_description": "Restaura a partir de um backup parcial.", "restores_home_assistant": "Restaura o Home Assistant.", "restore_from_partial_backup": "Restauração a partir de backup parcial.", - "broadcast_address": "Endereço de transmissão", - "broadcast_port_description": "Porta para onde enviar o pacote mágico.", - "broadcast_port": "Porta de transmissão", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", + "clears_the_playlist": "Limpa a lista de reprodução.", + "clear_playlist": "Limpar lista de reprodução", + "selects_the_next_track": "Seleciona a próxima faixa.", + "pauses": "Pausa.", + "starts_playing": "Começa a tocar.", + "toggles_play_pause": "Alterna reproduzir/pausar.", + "selects_the_previous_track": "Seleciona a faixa anterior.", + "seek": "Buscar", + "stops_playing": "Para de tocar.", + "starts_playing_specified_media": "Inicia a reprodução da mídia especificada.", + "announce": "Anunciar", + "enqueue": "Enfileirar", + "repeat_mode_to_set": "Modo de repetição para definir.", + "select_sound_mode_description": "Seleciona um modo de som específico.", + "select_sound_mode": "Selecione o modo de som", + "select_source": "Selecione a fonte", + "shuffle_description": "Se o modo aleatório está ativado ou não.", + "unjoin": "Desassociar", + "turns_down_the_volume": "Diminui o volume.", + "turn_down_volume": "Diminuir o volume", + "volume_mute_description": "Silencia ou não o media player.", + "is_volume_muted_description": "Define se está ou não silenciado.", + "mute_unmute_volume": "Silenciar/ativar volume", + "sets_the_volume_level": "Define o nível de volume.", + "set_volume": "Definir volume", + "turns_up_the_volume": "Aumenta o volume.", + "turn_up_volume": "Aumentar o volume", + "apply_filter": "Aplicar filtro", + "days_to_keep": "Dias para manter", + "repack": "Reembalar", + "purge": "Limpar", + "domains_to_remove": "Domínios para remover", + "entity_globs_to_remove": "Globos de entidade a serem removidos", + "entities_to_remove": "Entities to remove", + "purge_entities": "Limpar entidades", + "decrease_speed_description": "Diminui a velocidade do ventilador.", + "percentage_step_description": "Aumenta a velocidade em um ponto percentual.", + "decrease_speed": "Diminuir a velocidade", + "increase_speed_description": "Aumenta a velocidade do ventilador.", + "increase_speed": "Aumentar a velocidade", + "oscillate_description": "Controla a oscilação do ventilador.", + "turn_on_off_oscillation": "Ligar/desligar a oscilação.", + "set_direction_description": "Define a direção de rotação do ventilador.", + "direction_to_rotate": "Sentido para girar.", + "set_direction": "Definir direção", + "sets_the_fan_speed": "Define a velocidade do ventilador.", + "speed_of_the_fan": "Velocidade do ventilador.", + "percentage": "Percentagem", + "set_speed": "Definir velocidade", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Liga/desliga o ventilador.", + "turns_fan_off": "Desliga o ventilador.", + "turns_fan_on": "Liga o ventilador.", + "apply_description": "Ativa uma cena com configuração.", + "entities_description": "Lista de entidades e seu estado de destino.", + "entities_state": "Estado das entidades", + "transition": "Transition", + "apply": "Aplicar", + "creates_a_new_scene": "Cria uma nova cena.", + "scene_id_description": "O ID da entidade da nova cena.", + "scene_entity_id": "ID da entidade da cena", + "snapshot_entities": "Entidades de snapshot", + "delete_description": "Exclui uma cena criada dinamicamente.", + "activates_a_scene": "Ativa uma cena.", + "selects_the_first_option": "Seleciona a primeira opção.", + "first": "Primeira", + "selects_the_last_option": "Seleciona a última opção.", + "select_the_next_option": "Selecione a próxima opção.", + "selects_an_option": "Seleciona uma opção.", + "option_to_be_selected": "Opção a ser selecionada.", + "selects_the_previous_option": "Seleciona a opção anterior.", + "sets_the_options": "Define as opções.", + "list_of_options": "Lista de opções.", + "set_options": "Definir opções", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", "command_description": "Comando(s) para enviar ao Google Assistente.", "command": "Comando", "media_player_entity": "Entidade do media player", "send_text_command": "Enviar comando de texto", - "clear_tts_cache": "Limpar o cache do TTS", - "cache": "Cache", - "entity_id_description": "Entidade a referenciar na entrada do logbook.", - "language_description": "Idioma do texto. O padrão é o idioma do servidor.", - "options_description": "Um dicionário contendo opções específicas de integração.", - "say_a_tts_message": "Diga uma mensagem TTS", - "media_player_entity_id_description": "Media players para reproduzir a mensagem.", - "speak": "Falar", - "stops_a_running_script": "Interrompe um script em execução.", - "request_sync_description": "Envia um comando request_sync ao Google.", - "agent_user_id": "ID do usuário do agente", - "request_sync": "Solicitar sincronização", + "code_description": "Senha usada para desbloquear a fechadura.", + "arm_with_custom_bypass": "Armar com bypass personalizado", + "alarm_arm_vacation_description": "Define o alarme para: _armado para férias_.", + "disarms_the_alarm": "Desarma o alarme.", + "alarm_trigger_description": "Ativa um disparo de alarme externo.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", "sets_a_random_effect": "Sets a random effect.", "sequence_description": "List of HSV sequences (Max 16).", "backgrounds": "Backgrounds", @@ -2796,7 +3052,6 @@ "saturation_range": "Saturation range", "segments_description": "List of Segments (0 for all).", "segments": "Segments", - "transition": "Transition", "range_of_transition": "Range of transition.", "transition_range": "Transition range", "random_effect": "Random effect", @@ -2807,61 +3062,7 @@ "speed_of_spread": "Speed of spread.", "spread": "Spread", "sequence_effect": "Sequence effect", - "check_configuration": "Verificar a configuração", - "reload_all": "Recarregar tudo", - "reload_config_entry_description": "Recarrega a entrada de configuração especificada.", - "config_entry_id": "ID de entrada de configuração", - "reload_config_entry": "Recarregar entrada de configuração", - "reload_core_config_description": "Recarrega a configuração principal da configuração YAML.", - "reload_core_configuration": "Recarregar configuração principal", - "reload_custom_jinja_templates": "Recarregue templates personalizados do Jinja2", - "restarts_home_assistant": "Reinicia o Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Salvar estados persistentes", - "set_location_description": "Atualiza a localização do Home Assistant.", - "elevation_of_your_location": "Elevação da sua localização.", - "latitude_of_your_location": "Latitude da sua localização.", - "longitude_of_your_location": "Longitude da sua localização.", - "set_location": "Definir localização", - "stops_home_assistant": "Para o Home Assistant.", - "generic_toggle": "Alternância genérica", - "generic_turn_off": "Desligamento genérico", - "generic_turn_on": "Ativação genérica", - "update_entity": "Atualizar entidade", - "add_event_description": "Adiciona um novo evento no calendário", - "location_description": "A localização do evento. Opcional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Liga/desliga um interruptor.", - "turns_a_switch_off": "Desliga um interruptor.", - "turns_a_switch_on": "Liga um interruptor.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Nome do arquivo", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Tire uma foto rápida", - "turns_off_the_camera": "Desliga a câmera.", - "turns_on_the_camera": "Liga a câmera.", - "notify_description": "Envia uma mensagem de notificação para destinos selecionados.", - "data": "Dados", - "message_description": "Corpo da mensagem da notificação.", - "title_for_your_notification": "Título para sua notificação.", - "title_of_the_notification": "Título da notificação.", - "send_a_persistent_notification": "Enviar uma notificação persistente", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Título opcional da notificação.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Cria um novo backup.", + "press_the_button_entity": "Press the button entity.", "see_description": "Records a seen tracked device.", "battery_description": "Battery level of the device.", "gps_coordinates": "GPS coordinates", @@ -2869,19 +3070,49 @@ "hostname_of_the_device": "Hostname of the device.", "hostname": "Hostname", "mac_description": "MAC address of the device.", + "mac_address": "MAC address", "see": "See", - "log_description": "Cria uma entrada personalizada no logbook.", - "log": "Log", - "apply_description": "Ativa uma cena com configuração.", - "entities_description": "Lista de entidades e seu estado de destino.", - "entities_state": "Estado das entidades", - "apply": "Aplicar", - "creates_a_new_scene": "Cria uma nova cena.", - "scene_id_description": "O ID da entidade da nova cena.", - "scene_entity_id": "ID da entidade da cena", - "snapshot_entities": "Entidades de snapshot", - "delete_description": "Exclui uma cena criada dinamicamente.", - "activates_a_scene": "Ativa uma cena.", + "process_description": "Inicia uma conversa a partir de um texto transcrito.", + "agent": "Agente", + "conversation_id": "ID da conversa", + "language_description": "Idioma a ser usado para geração de fala.", + "transcribed_text_input": "Entrada de texto transcrito.", + "process": "Processo", + "reloads_the_intent_configuration": "Recarrega a configuração de intenção.", + "conversation_agent_to_reload": "Agente conversacional para recarregar.", + "create_description": "Mostra uma notificação no painel **Notificações**.", + "message_description": "Mensagem da entrada do logbook.", + "notification_id": "ID de notificação", + "title_description": "Title for your notification message.", + "dismiss_description": "Remove uma notificação do painel **Notificações**.", + "notification_id_description": "ID da notificação a ser removida.", + "dismiss_all_description": "Remove todas as notificações do painel **Notificações**.", + "notify_description": "Envia uma mensagem de notificação para destinos selecionados.", + "data": "Dados", + "title_for_your_notification": "Título para sua notificação.", + "title_of_the_notification": "Título da notificação.", + "send_a_persistent_notification": "Enviar uma notificação persistente", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "ID do dispositivo para o qual enviar o comando.", + "delete_command": "Excluir comando", + "alternative": "Alternativa", + "command_type_description": "O tipo de comando a ser aprendido.", + "command_type": "Tipo de comando", + "timeout_description": "Tempo limite para que o comando seja aprendido.", + "learn_command": "Aprender comando", + "delay_seconds": "Atraso em segundos", + "hold_seconds": "Segundos de espera", + "repeats": "Repete", + "send_command": "Enviar comando", + "toggles_a_device_on_off": "Liga/desliga um dispositivo.", + "turns_the_device_off": "Desliga o aparelho.", + "turn_on_description": "Envia o comando de ligar.", + "stops_a_running_script": "Interrompe um script em execução.", + "locks_a_lock": "Bloqueia uma fechadura.", + "opens_a_lock": "Abre uma fechadura.", + "unlocks_a_lock": "Desbloqueia a fechadura.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2893,10 +3124,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Define o modo predefinido.", - "set_preset_mode": "Definir modo predefinido", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2908,55 +3136,31 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Limpa todas as entradas de registro.", - "clear_all": "Limpar tudo", - "write_log_entry": "Escrever entrada de log.", - "log_level": "Nível de log.", - "level": "Nível", - "message_to_log": "Mensagem para registro.", - "write": "Escrever", - "device_description": "ID do dispositivo para o qual enviar o comando.", - "delete_command": "Excluir comando", - "alternative": "Alternativa", - "command_type_description": "O tipo de comando a ser aprendido.", - "command_type": "Tipo de comando", - "timeout_description": "Tempo limite para que o comando seja aprendido.", - "learn_command": "Aprender comando", - "delay_seconds": "Atraso em segundos", - "hold_seconds": "Segundos de espera", - "repeats": "Repete", - "send_command": "Enviar comando", - "toggles_a_device_on_off": "Liga/desliga um dispositivo.", - "turns_the_device_off": "Desliga o aparelho.", - "turn_on_description": "Envia o comando de ligar.", - "clears_the_playlist": "Limpa a lista de reprodução.", - "clear_playlist": "Limpar lista de reprodução", - "selects_the_next_track": "Seleciona a próxima faixa.", - "pauses": "Pausa.", - "starts_playing": "Começa a tocar.", - "toggles_play_pause": "Alterna reproduzir/pausar.", - "selects_the_previous_track": "Seleciona a faixa anterior.", - "seek": "Buscar", - "stops_playing": "Para de tocar.", - "starts_playing_specified_media": "Inicia a reprodução da mídia especificada.", - "announce": "Anunciar", - "enqueue": "Enfileirar", - "repeat_mode_to_set": "Modo de repetição para definir.", - "select_sound_mode_description": "Seleciona um modo de som específico.", - "select_sound_mode": "Selecione o modo de som", - "select_source": "Selecione a fonte", - "shuffle_description": "Se o modo aleatório está ativado ou não.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Desassociar", - "turns_down_the_volume": "Diminui o volume.", - "turn_down_volume": "Diminuir o volume", - "volume_mute_description": "Silencia ou não o media player.", - "is_volume_muted_description": "Define se está ou não silenciado.", - "mute_unmute_volume": "Silenciar/ativar volume", - "sets_the_volume_level": "Define o nível de volume.", - "set_volume": "Definir volume", - "turns_up_the_volume": "Aumenta o volume.", - "turn_up_volume": "Aumentar o volume", + "calendar_id_description": "O ID do calendário que deseja", + "calendar_id": "ID do calendário", + "description_description": "A descrição do evento. Opcional.", + "summary_description": "Atua como o título do evento.", + "creates_event": "Cria evento", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Desligar uma ou mais luzes.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", "topic_to_listen_to": "Tópico para ouvir.", "topic": "Tópico", "export": "Exportar", @@ -2968,203 +3172,63 @@ "retain": "Reter", "topic_to_publish_to": "Tópico para publicar.", "publish": "Publicar", - "brightness_value": "Valor de brilho", - "a_human_readable_color_name": "A human-readable color name.", - "color_name": "Nome da cor", - "color_temperature_in_mireds": "Temperatura de cor em mireds.", - "light_effect": "Light effect.", - "flash": "Flash", - "hue_sat_color": "Hue/Sat color", - "color_temperature_in_kelvin": "Temperatura de cor em Kelvin.", - "profile_description": "Nome de um perfil de luz para usar.", - "white_description": "Set the light to white mode.", - "xy_color": "XY-color", - "turn_off_description": "Desligar uma ou mais luzes.", - "brightness_step_description": "Altere o brilho em uma quantidade.", - "brightness_step_value": "Valor do passo de brilho", - "brightness_step_pct_description": "Change brightness by a percentage.", - "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Recarrega a configuração de automação.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Gatilho", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Ativa/desativa a sirene.", - "turns_the_siren_off": "Desliga a sirene.", - "turns_the_siren_on": "Liga a sirene.", - "tone": "Tom", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Remove um grupo.", - "object_id": "ID do objeto", - "creates_updates_a_user_group": "Cria/atualiza um grupo de usuários.", - "add_entities": "Adicionar entidades", - "icon_description": "Nome do ícone do grupo.", - "name_of_the_group": "Nome do grupo.", - "remove_entities": "Remover entidades", - "selects_the_first_option": "Seleciona a primeira opção.", - "first": "Primeiro", - "selects_the_last_option": "Seleciona a última opção.", "selects_the_next_option": "Seleciona a próxima opção.", - "cycle": "Ciclo", - "selects_an_option": "Seleciona uma opção.", - "option_to_be_selected": "Opção a ser selecionada.", - "selects_the_previous_option": "Seleciona a opção anterior.", - "create_description": "Mostra uma notificação no painel **Notificações**.", - "notification_id": "ID de notificação", - "dismiss_description": "Remove uma notificação do painel **Notificações**.", - "notification_id_description": "ID da notificação a ser removida.", - "dismiss_all_description": "Remove todas as notificações do painel **Notificações**.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Selecione a próxima opção.", - "sets_the_options": "Define as opções.", - "list_of_options": "Lista de opções.", - "set_options": "Definir opções", - "clear_skipped_update": "Limpar atualização ignorada", - "install_update": "Instalar atualização", - "skip_description": "Marca a atualização disponível atualmente para ser pulada.", - "skip_update": "Pular atualização", - "set_default_level_description": "Define o nível de log padrão para integrações.", - "level_description": "Nível de gravidade padrão para todas as integrações.", - "set_default_level": "Definir nível padrão", - "set_level": "Definir nível", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Define o valor do número", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Fecha uma cortina.", - "close_cover_tilt_description": "Inclina uma cortina para fechar.", - "close_tilt": "Inclinação fechada", - "opens_a_cover": "Abre uma cortina.", - "tilts_a_cover_open": "Inclina uma cortina aberta.", - "open_tilt": "Inclinação aberta", - "set_cover_position_description": "Move uma cortina para uma posição específica.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Posição de inclinação alvo.", - "set_tilt_position": "Definir posição de inclinação", - "stops_the_cover_movement": "Para o movimento da cortina.", - "stop_cover_tilt_description": "Interrompe o movimento de inclinação da cortina.", - "stop_tilt": "Parar inclinação", - "toggles_a_cover_open_closed": "Alterna uma cortina aberta/fechada.", - "toggle_cover_tilt_description": "Alterna a inclinação da cortina aberta/fechada.", - "toggle_tilt": "Alternar inclinação", - "toggles_the_helper_on_off": "Ativa/desativa o ajudante", - "turns_off_the_helper": "Desliga o ajudante.", - "turns_on_the_helper": "Liga o ajudante.", - "decrement_description": "Diminui o valor atual em 1 passo.", - "increment_description": "Incrementa o valor em 1 passo.", - "sets_the_value": "Define o valor.", - "the_target_value": "O valor alvo.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Registra todas as tarefas assíncronas atuais.", - "log_current_asyncio_tasks": "Registrar tarefas assíncronas atuais", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Inicia uma conversa a partir de um texto transcrito.", - "agent": "Agente", - "conversation_id": "ID da conversa", - "transcribed_text_input": "Entrada de texto transcrito.", - "process": "Processo", - "reloads_the_intent_configuration": "Recarrega a configuração de intenção.", - "conversation_agent_to_reload": "Agente conversacional para recarregar.", - "apply_filter": "Aplicar filtro", - "days_to_keep": "Dias para manter", - "repack": "Reembalar", - "purge": "Limpar", - "domains_to_remove": "Domínios para remover", - "entity_globs_to_remove": "Globos de entidade a serem removidos", - "entities_to_remove": "Entities to remove", - "purge_entities": "Limpar entidades", - "reload_resources_description": "Recarrega os recursos do painel da configuração YAML.", + "ptz_move_description": "Mova a câmera com uma velocidade específica.", + "ptz_move_speed": "Velocidade de movimento PTZ.", + "ptz_move": "Movimento PTZ", + "log_description": "Cria uma entrada personalizada no logbook.", + "entity_id_description": "Media players para reproduzir a mensagem.", + "log": "Log", + "toggles_a_switch_on_off": "Liga/desliga um interruptor.", + "turns_a_switch_off": "Desliga um interruptor.", + "turns_a_switch_on": "Liga um interruptor.", "reload_themes_description": "Recarrega os temas da configuração YAML", "reload_themes": "Reload themes", "name_of_a_theme": "Nome de um tema", "set_the_default_theme": "Definir o tema padrão", + "toggles_the_helper_on_off": "Ativa/desativa o ajudante", + "turns_off_the_helper": "Desliga o ajudante.", + "turns_on_the_helper": "Liga o ajudante.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Senha usada para desbloquear a fechadura.", - "arm_with_custom_bypass": "Armar com bypass personalizado", - "alarm_arm_vacation_description": "Define o alarme para: _armado para férias_.", - "disarms_the_alarm": "Desarma o alarme.", - "alarm_trigger_description": "Ativa um disparo de alarme externo.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Obter a previsão do tempo.", "type_description": "Tipo de previsão: diária, de hora em hora ou duas vezes ao dia.", "forecast_type": "Tipo de previsão", "get_forecast": "Obter previsão", "get_weather_forecasts": "Obter previsões do tempo.", "get_forecasts": "Obter previsões", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Diminui a velocidade do ventilador.", - "percentage_step_description": "Aumenta a velocidade em um ponto percentual.", - "decrease_speed": "Diminuir a velocidade", - "increase_speed_description": "Aumenta a velocidade do ventilador.", - "increase_speed": "Aumentar a velocidade", - "oscillate_description": "Controla a oscilação do ventilador.", - "turn_on_off_oscillation": "Ligar/desligar a oscilação.", - "set_direction_description": "Define a direção de rotação do ventilador.", - "direction_to_rotate": "Sentido para girar.", - "set_direction": "Definir direção", - "sets_the_fan_speed": "Define a velocidade do ventilador.", - "speed_of_the_fan": "Velocidade do ventilador.", - "percentage": "Percentagem", - "set_speed": "Definir velocidade", - "toggles_the_fan_on_off": "Liga/desliga o ventilador.", - "turns_fan_off": "Desliga o ventilador.", - "turns_fan_on": "Liga o ventilador.", - "locks_a_lock": "Bloqueia uma fechadura.", - "opens_a_lock": "Abre uma fechadura.", - "unlocks_a_lock": "Desbloqueia a fechadura.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Nome do arquivo", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Tire uma foto rápida", + "turns_off_the_camera": "Desliga a câmera.", + "turns_on_the_camera": "Liga a câmera.", + "clear_tts_cache": "Limpar o cache do TTS", + "cache": "Cache", + "options_description": "Um dicionário contendo opções específicas de integração.", + "say_a_tts_message": "Diga uma mensagem TTS", + "speak": "Falar", + "broadcast_address": "Endereço de transmissão", + "broadcast_port_description": "Porta para onde enviar o pacote mágico.", + "broadcast_port": "Porta de transmissão", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Define data e/ou hora.", + "the_target_date": "A data prevista.", + "datetime_description": "A data e hora de destino.", + "date_time": "Data e Hora", + "the_target_time": "O tempo alvo.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3173,22 +3237,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "calendar_id_description": "O ID do calendário que deseja", - "calendar_id": "ID do calendário", - "description_description": "A descrição do evento. Opcional.", - "summary_description": "Atua como o título do evento.", - "creates_event": "Cria evento", - "ptz_move_description": "Mova a câmera com uma velocidade específica.", - "ptz_move_speed": "Velocidade de movimento PTZ.", - "ptz_move": "Movimento PTZ", - "set_datetime_description": "Define data e/ou hora.", - "the_target_date": "A data prevista.", - "datetime_description": "A data e hora de destino.", - "date_time": "Data e Hora", - "the_target_time": "O tempo alvo." + "removes_a_group": "Remove um grupo.", + "object_id": "ID do objeto", + "creates_updates_a_user_group": "Cria/atualiza um grupo de usuários.", + "add_entities": "Adicionar entidades", + "icon_description": "Nome do ícone do grupo.", + "name_of_the_group": "Nome do grupo.", + "remove_entities": "Remover entidades", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Define o nível de log padrão para integrações.", + "level_description": "Nível de gravidade padrão para todas as integrações.", + "set_default_level": "Definir nível padrão", + "set_level": "Definir nível", + "clear_skipped_update": "Limpar atualização ignorada", + "install_update": "Instalar atualização", + "skip_description": "Marca a atualização disponível atualmente para ser pulada.", + "skip_update": "Pular atualização" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/pt/pt.json b/packages/core/src/hooks/useLocale/locales/pt/pt.json index 54e4aad..e150d78 100644 --- a/packages/core/src/hooks/useLocale/locales/pt/pt.json +++ b/packages/core/src/hooks/useLocale/locales/pt/pt.json @@ -1,7 +1,7 @@ { "energy": "Energy", "calendar": "Calendário", - "settings": "Configurações", + "settings": "Settings", "overview": "Visão Geral", "map": "Map", "logbook": "Logbook", @@ -10,7 +10,7 @@ "to_do_lists": "Listas de tarefas", "developer_tools": "Ferramentas de programação", "media": "Multimédia", - "profile": "Perfil", + "profile": "Profile", "panel_shopping_list": "Lista de compras", "unknown": "Desconhecido", "unavailable": "Indisponível", @@ -63,7 +63,7 @@ "name_heating": "{name} a aquecer", "name_cooling": "{name} a arrefecer", "high": "Alto", - "low": "Baixa", + "low": "Baixo", "mode": "Mode", "preset": "Pré-definido", "action_to_target": "{action} para o alvo", @@ -74,12 +74,12 @@ "reset": "Reset", "position": "Position", "tilt_position": "Tilt position", - "open_cover": "Abrir", + "open": "Abrir", "close": "Fechar", "open_cover_tilt": "Abrir inclinação da cobertura", "close_cover_tilt": "Fechar inclinação da cobertura", "stop": "Parar", - "preset_mode": "Preset mode", + "preset_mode": "Modo pré-definido", "oscillate": "Oscillate", "direction": "Direction", "forward": "Forward", @@ -95,17 +95,18 @@ "resume_mowing": "Retomar corte", "start_mowing": "Iniciar corte", "return_to_dock": "Regressar à doca", - "brightness": "Brilho", - "color_temperature": "Temperatura da cor", + "brightness": "Brightness", + "color_temperature": "Color temperature", + "white_brightness": "Brilho", "cold_white_brightness": "Brilho branco frio", "warm_white_brightness": "Brilho branco quente", - "effect": "Efeito", + "effect": "Effect", "lock": "Lock", "unlock": "Unlock", - "open": "Open", "open_door": "Abrir porta", "really_open": "Abrir mesmo?", - "door_open": "Porta aberta", + "done": "Concluído", + "ui_card_lock_open_door_success": "Porta aberta", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Procurar Conteúdo", @@ -138,7 +139,7 @@ "installing_progress": "A instalar ({progress}%)", "up_to_date": "Atualizado", "empty_value": "(campo vazio)", - "start": "Start", + "start": "Iniciar", "finish": "Finish", "resume_cleaning": "Retomar limpeza", "start_cleaning": "Iniciar limpeza", @@ -182,6 +183,7 @@ "loading": "A carregar…", "refresh": "Atualizar", "delete": "Delete", + "delete_all": "Eliminar todas", "download": "Download", "duplicate": "Duplicar", "remove": "Remove", @@ -222,6 +224,9 @@ "media_content_type": "Media content type", "upload_failed": "O carregamento falhou", "unknown_file": "Ficheiro desconhecido", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Raio", @@ -235,6 +240,7 @@ "date_and_time": "Data e hora", "duration": "Duration", "entity": "Entity", + "floor": "Piso", "icon": "Icon", "location": "Localização", "number": "Número", @@ -273,6 +279,7 @@ "was_opened": "foi aberto", "was_closed": "foi fechado", "is_opening": "está a abrir", + "is_opened": "is opened", "is_closing": "está a fechar", "was_unlocked": "foi destrancado", "was_locked": "foi trancado", @@ -318,10 +325,13 @@ "sort_by_sortcolumn": "Ordenar por {sortColumn}", "group_by_groupcolumn": "Agrupar por {groupColumn}", "don_t_group": "Não agrupar", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "{selected} selecionada", "close_selection_mode": "Fechar modo de seleção", "select_all": "Selecionar tudo", "select_none": "Limpar seleção", + "customize_table": "Personalizar tabela", "conversation_agent": "Agente de conversação", "none": "Nenhum", "country": "País", @@ -331,7 +341,7 @@ "no_theme": "Sem tema", "language": "Language", "no_languages_available": "Idioma não disponível", - "text_to_speech": "Texto para voz", + "text_to_speech": "Text to speech", "voice": "Voz", "no_user": "Nenhum utilizador", "add_user": "Adicionar utilizador", @@ -370,7 +380,6 @@ "ui_components_area_picker_add_dialog_text": "Introduza o nome da nova área.", "ui_components_area_picker_add_dialog_title": "Adicionar nova área", "show_floors": "Mostrar pisos", - "floor": "Piso", "add_new_floor_name": "Adicionar novo piso ''{name}''", "add_new_floor": "Adi", "floor_picker_no_floors": "Não tem nenhum piso", @@ -437,7 +446,7 @@ "dim_gray": "Cinzento escuro", "blue_grey": "Azul cinzento", "black": "Preto", - "white": "Branco", + "white": "White", "start_date": "Start date", "end_date": "End date", "select_time_period": "Selecione o período de tempo", @@ -450,6 +459,9 @@ "last_month": "Último mês", "this_year": "Este ano", "last_year": "Último ano", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Nunca", "history_integration_disabled": "Integração de histórico desativada", "loading_state_history": "A carregar histórico de estados…", @@ -481,6 +493,10 @@ "filtering_by": "A filtrar por", "number_hidden": "{number} ocultos", "ungrouped": "Desagrupados", + "customize": "Personalizar", + "hide_column_title": "Ocultar coluna {title}", + "show_column_title": "Mostrar coluna {title}", + "restore_defaults": "Repor predefinições", "message": "Message", "gender": "Género", "male": "Masculino", @@ -517,7 +533,7 @@ "episode": "Episódio", "game": "Jogo", "genre": "Gênero", - "image": "Imagem", + "image": "Image", "movie": "Filme", "music": "Música", "playlist": "Lista de reprodução", @@ -708,7 +724,7 @@ "switch_to_position_mode": "Alterar para modo posição", "people_in_zone": "Pessoas em casa", "edit_favorite_colors": "Editar cores favoritas", - "color": "Cor", + "color": "Color", "set_white": "Definir branco", "select_effect": "Selecionar efeito", "change_color": "Alterar cor", @@ -730,7 +746,7 @@ "default_code": "Código padrão", "editor_default_code_error": "O código não corresponde ao formato para um código", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unidade de medida", "precipitation_unit": "Unidade de precipitação", "display_precision": "Mostrar precisão", "default_value": "Predefinição ({value})", @@ -813,7 +829,7 @@ "restart_home_assistant": "Reiniciar o Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Recarregar Configuração", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Recarrega as zonas a partir da configuração YAML.", "reloading_configuration": "A recarregar a configuração", "failed_to_reload_configuration": "Ocorreu um erro ao recarregar a configuração", "restart_description": "Irá interromper todas as automatizações e scripts", @@ -989,7 +1005,6 @@ "notification_toast_no_matching_link_found": "Não foi encontrado um My link correspondente a {path}", "app_configuration": "Configuração da aplicação", "sidebar_toggle": "Mostrar/esconder barra lateral", - "done": "Concluído", "hide_panel": "Ocultar painel", "show_panel": "Mostrar painel", "show_more_information": "Mostrar mais informações", @@ -1082,9 +1097,11 @@ "view_configuration": "Configuração de vista", "name_view_configuration": "Configuração da Vista \"{name}\"", "add_view": "Adicionar Vista", + "background_title": "Add a background to the view", "edit_view": "Editar Vista", "move_view_left": "Mover vista para a esquerda", "move_view_right": "Mover vista para a direita", + "background": "Background", "badges": "Crachás", "view_type": "Tipo de vista", "masonry_default": "Alvenaria (por defeito)", @@ -1093,8 +1110,8 @@ "sections_experimental": "Secções (experimental)", "subview": "Sub-vista", "max_number_of_columns": "Número máximo de colunas", - "show_visual_editor": "Mostrar editor visual", - "edit_in_yaml": "Editar em YAML", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Guardar falhou", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Não é possível alterar a vista para utilizar Secções uma vez que a migração ainda não é suportada. Comece do início com uma nova vista se quiser utilizar um tipo de vista diferente.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Não é possível alterar a vista para utilizar Secções uma vez que a migração ainda não é suportada. Comece do início com uma nova vista se quiser experimentar esta funcionalidade.", @@ -1104,6 +1121,7 @@ "toggle_editor": "Alternar editor", "you_have_unsaved_changes": "Existem alterações não guardadas", "edit_card_confirm_cancel": "Tem a certeza de que pretende cancelar?", + "show_visual_editor": "Mostrar editor visual", "show_code_editor": "Mostrar editor de código", "add_card": "Adicionar cartão", "copy": "Copiar", @@ -1116,7 +1134,10 @@ "increase_card_position": "Posicionar mais à frente", "more_options": "Mais opções", "search_cards": "Procurar cartões", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Que cartão gostaria de adicionar à vista {name}?", + "ui_panel_lovelace_editor_edit_card_tab_config": "Configuração", "move_card_error_title": "Impossível mover o cartão", "choose_a_view": "Escolha uma vista", "dashboard": "Painel de Instrumentos", @@ -1134,8 +1155,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} e todos os cartões serão eliminados.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} será eliminada.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Esta secção", - "edit_name": "Editar nome", - "add_name": "Adicionar nome", + "edit_section": "Edit section", "suggest_card_header": "Criámos uma sugestão para si.", "pick_different_card": "Escolha um cartão diferente", "add_to_dashboard": "Adicionar ao painel de instrumentos", @@ -1156,8 +1176,8 @@ "condition_did_not_pass": "A condição não passou", "invalid_configuration": "Configuração inválida", "entity_numeric_state": "Estado numérico da entidade", - "above": "Acima", - "below": "Abaixo", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Tamanhos de ecrã", "mobile": "Telemóvel", @@ -1251,6 +1271,7 @@ "markdown": "Escrita Livre", "content": "Conteúdo", "media_control": "Controlo multimédia", + "picture": "Imagem", "picture_elements": "Entidades sobre uma imagem", "picture_glance": "Entidade de imagem com ações", "state_entity": "Entidade de estado", @@ -1346,183 +1367,130 @@ "ui_panel_lovelace_editor_color_picker_colors_primary": "Cor primária", "ui_panel_lovelace_editor_color_picker_colors_purple": "Roxo", "ui_panel_lovelace_editor_color_picker_colors_teal": "Azul petróleo", + "ui_panel_lovelace_editor_color_picker_colors_white": "Branco", "ui_panel_lovelace_editor_color_picker_default_color": "Cor por defeito (estado)", + "ui_panel_lovelace_editor_edit_section_title_title": "Editar nome", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Adicionar nome", "warning_attribute_not_found": "O atributo {attribute} não está disponível em: {entity}", "entity_not_available_entity": "Entidade não disponível: {entity}", "entity_is_non_numeric_entity": "A entidade não é numérica: {entity}", "warning_entity_unavailable": "{entity} está de momento indisponível", "invalid_timestamp": "Data / hora inválido", "invalid_display_format": "Formato inválido", + "now": "Now", "compare_data": "Comparar dados", "reload_ui": "Recarregar Interface", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Câmara ", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "timer": "Temporizador", - "zone": "Zona", - "schedule": "Agenda", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cobertura", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Booleano de entrada", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversa", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cobertura", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Botão de entrada", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Painel de controlo do alarme", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventoinha", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Localizador de dispositivos", + "trace": "Trace", + "stream": "Stream", + "person": "Pessoa", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Booleano de entrada", + "camera": "Câmara ", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Data/hora de entrada", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tags", + "diagnostics": "Diagnósticos", + "siren": "Sirene", + "fitbit": "Fitbit", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Válvula", + "assist_pipeline": "Fluxo do Assist", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climatização", + "conversation": "Conversa", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Tamanho do ficheiro", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Credenciais de aplicação", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Número de entrada", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Texto de entrada", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Clima", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Agenda", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remoto", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Localizador de dispositivos", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Clima", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remoto", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Número de entrada", + "binary_sensor": "Sensor binário", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilação", + "scene": "Scene", + "input_select": "Seletor de entrada", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Evento", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Evento", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climatização", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Contador", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnósticos", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Pessoa", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tags", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirene", - "input_select": "Seletor de entrada", + "deconz": "deCONZ", + "timer": "Temporizador", + "application_credentials": "Credenciais de aplicação", "logger": "Logger", - "assist_pipeline": "Fluxo do Assist", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Botão de entrada", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Contador", - "binary_sensor": "Sensor binário", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Válvula", - "os_agent_version": "Versão do Agente do SO", - "apparmor_version": "Versão Apparmor", - "cpu_percent": "Percentagem da CPU", - "disk_free": "Disco livre", - "disk_total": "Total do disco", - "disk_used": "Disco utilizado", - "memory_percent": "Percentagem de memória", - "version": "Version", - "newest_version": "Versão mais recente", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Consumo total", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Ruído", - "overload": "Sobrecarga", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist em curso", - "auto_gain": "Ganho automático", - "mic_volume": "Volume do micro", - "noise_suppression": "Supressão de ruído", - "noise_suppression_level": "Nível de supressão de ruído", - "off": "Off", - "preferred": "Preferencial", - "mute": "Silenciar", - "satellite_enabled": "Satélite ativado", - "ding": "Ding", - "doorbell_volume": "Volume da campainha", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Volume da voz", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Deteção de intervenção concluída", - "aggressive": "Agressivo", - "default": "Predefinido", - "relaxed": "Relaxado", - "call_active": "Chamada ativa", - "quiet": "Silêncio", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Pesado", "mild": "Suave", "button_down": "Premir botão", @@ -1539,20 +1507,55 @@ "not_completed": "Não concluído", "pending": "Pendente", "checking": "A verificar", - "closed": "Fechada", + "closed": "Fechado", "closing": "Closing", "opened": "Aberta", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", - "screen_off_timer": "Screen off timer", - "screensaver_brightness": "Screensaver brightness", - "screensaver_timer": "Screensaver timer", + "battery_level": "Battery level", + "os_agent_version": "Versão do Agente do SO", + "apparmor_version": "Versão Apparmor", + "cpu_percent": "Percentagem da CPU", + "disk_free": "Disco livre", + "disk_total": "Total do disco", + "disk_used": "Disco utilizado", + "memory_percent": "Percentagem de memória", + "version": "Version", + "newest_version": "Versão mais recente", + "next_dawn": "Próximo amanhecer", + "next_dusk": "Próximo crepúsculo", + "next_midnight": "Próxima meia-noite", + "next_noon": "Próximo meio-dia", + "next_rising": "Próximo nascer do sol", + "next_setting": "Próximo pôr do sol", + "solar_azimuth": "Azimute solar", + "solar_elevation": "Elevação solar", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Consumo de energia do compressor", + "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor", + "compressor_frequency": "Frequência do compressor", + "cool_energy_consumption": "Consumo de energia fria", + "energy_consumption": "Consumo de energia", + "heat_energy_consumption": "Consumo de energia térmica", + "inside_temperature": "Temperatura interior", + "outside_temperature": "Temperatura exterior", + "assist_in_progress": "Assist em curso", + "preferred": "Preferencial", + "finished_speaking_detection": "Deteção de intervenção concluída", + "aggressive": "Agressivo", + "default": "Predefinido", + "relaxed": "Relaxado", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", + "screensaver_brightness": "Screensaver brightness", + "screensaver_timer": "Screensaver timer", "current_page": "Current page", "foreground_app": "Foreground app", "internal_storage_free_space": "Internal storage free space", @@ -1564,34 +1567,83 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Detecção de movimento", "screensaver": "Screensaver", - "compressor_energy_consumption": "Consumo de energia do compressor", - "compressor_estimated_power_consumption": "Consumo de energia estimado do compressor", - "compressor_frequency": "Frequência do compressor", - "cool_energy_consumption": "Consumo de energia fria", - "energy_consumption": "Consumo de energia", - "heat_energy_consumption": "Consumo de energia térmica", - "inside_temperature": "Temperatura interior", - "outside_temperature": "Temperatura exterior", - "next_dawn": "Próximo amanhecer", - "next_dusk": "Próximo crepúsculo", - "next_midnight": "Próxima meia-noite", - "next_noon": "Próximo meio-dia", - "next_rising": "Próximo nascer do sol", - "next_setting": "Próximo pôr do sol", - "solar_azimuth": "Azimute solar", - "solar_elevation": "Elevação solar", - "solar_rising": "Solar rising", - "calibration": "Calibração", - "auto_lock_paused": "Bloqueio automático em pausa", - "timeout": "Timeout", - "unclosed_alarm": "Alarme não fechado", - "unlocked_alarm": "Alarme desbloqueado", - "bluetooth_signal": "Sinal Bluetooth", - "light_level": "Nível de luz", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Desumidificar", + "wet": "Húmido", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Consumo total", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Processo {process}", + "disk_free_mount_point": "Disco livre {mount_point}", + "disk_use_mount_point": "Disco usado {mount_point}", + "ipv_address_ip_address": "Endereço IPv6 {ip_address}", + "last_boot": "Último arranque", + "load_m": "Carga (5m)", + "memory_free": "Memória livre", + "memory_use": "Memória usada", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Pacotes recebidos {interface}", + "packets_out_interface": "Pacotes enviados {interface}", + "processor_temperature": "Temperatura do processador", + "processor_use": "Uso do Processador", + "swap_free": "Swap livre", + "swap_use": "Swap usada", + "network_throughput_in_interface": "Débito de entrada na rede {interface}", + "network_throughput_out_interface": "Débito de saída na rede {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Ruído", + "overload": "Sobrecarga", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detectado", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1601,6 +1653,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1658,23 +1713,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Sempre ligado", + "state_alwaysonatnight": "Automático e sempre ligado à noite", + "stay_off": "Manter desligado", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Tocar uma mensagem de resposta rápida", "ptz_preset": "PTZ preset", - "always_on": "Sempre ligado", - "state_alwaysonatnight": "Automático e sempre ligado à noite", - "stay_off": "Manter desligado", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1688,6 +1746,7 @@ "hdd_hdd_index_storage": "Armazenamento {hdd_index} HDD", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "Armazenamento {hdd_index} SD", + "wi_fi_signal": "Sinal Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1696,6 +1755,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1703,81 +1763,92 @@ "record": "Gravar", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Processo {process}", - "disk_free_mount_point": "Disco livre {mount_point}", - "disk_use_mount_point": "Disco usado {mount_point}", - "ipv_address_ip_address": "Endereço IPv6 {ip_address}", - "last_boot": "Último arranque", - "load_m": "Carga (5m)", - "memory_free": "Memória livre", - "memory_use": "Memória usada", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Pacotes recebidos {interface}", - "packets_out_interface": "Pacotes enviados {interface}", - "processor_temperature": "Temperatura do processador", - "processor_use": "Uso do Processador", - "swap_free": "Swap livre", - "swap_use": "Swap usada", - "network_throughput_in_interface": "Débito de entrada na rede {interface}", - "network_throughput_out_interface": "Débito de saída na rede {interface}", - "device_trackers": "Rastreadores de dispositivos", - "gps_accuracy": "GPS accuracy", + "call_active": "Chamada ativa", + "quiet": "Silêncio", + "auto_gain": "Ganho automático", + "mic_volume": "Volume do micro", + "noise_suppression": "Supressão de ruído", + "noise_suppression_level": "Nível de supressão de ruído", + "mute": "Silenciar", + "satellite_enabled": "Satélite ativado", + "calibration": "Calibração", + "auto_lock_paused": "Bloqueio automático em pausa", + "timeout": "Timeout", + "unclosed_alarm": "Alarme não fechado", + "unlocked_alarm": "Alarme desbloqueado", + "bluetooth_signal": "Sinal Bluetooth", + "light_level": "Nível de luz", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Volume da campainha", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Volume da voz", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "box": "Caixa", + "step": "Passo", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Caudal volumétrico", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Tons disponíveis", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Gerido através da IU", + "next_event": "Próximo evento", + "stopped": "Stopped", + "garage": "Garagem", "running_automations": "Automações em execução", - "max_running_scripts": "Máximo de scripts em execução", + "id": "ID", + "max_running_automations": "Máximo de automatizações em execução", "run_mode": "Modo de funcionamento", "parallel": "Paralelo", "queued": "Em sequência", "single": "Único", - "end_time": "End time", - "start_time": "Start time", - "recording": "A gravar", - "streaming": "Transmissão em fluxo contínuo", - "access_token": "Token de acesso", - "brand": "Marca", - "stream_type": "Tipo de transmissão", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Modelo", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Roteador", - "cool": "Arrefecimento", - "dry": "Desumidificar", - "fan_only": "Ventilar", - "heat_cool": "Aquecimento/arrefecimento", - "aux_heat": "Aquecimento auxiliar", - "current_humidity": "Humidade Atual", - "current_temperature": "Current Temperature", - "fan_mode": "Modo do ventilador", - "diffuse": "Difuso", - "middle": "Meio", - "top": "Total", - "current_action": "Modo atual", - "drying": "Desumidificação", - "preheating": "Pré-Aquecimento", - "max_target_humidity": "Humidade máxima pretendida", - "max_target_temperature": "Temperatura máxima pretendida", - "min_target_humidity": "Humidade mínima pretendida", - "min_target_temperature": "Temperatura mínima pretendida", - "boost": "Turbo", - "comfort": "Conforto", - "eco": "Eco", - "sleep": "Baixo consumo", - "presets": "Pré-definições", - "swing_mode": "Modo de oscilação", - "both": "Ambos", - "horizontal": "Horizontal", - "target_temperature_step": "Incremento", - "buffering": "A armazenar em buffer", - "paused": "Em pausa", - "playing": "A reproduzir", - "standby": "Standby", - "app_id": "ID da aplicação", - "local_accessible_entity_picture": "Imagem da entidade acessível localmente", - "group_members": "Group members", - "muted": "Muted", - "album_artist": "Álbum do artista", + "not_charging": "Não está a carregar", + "unplugged": "Desligado", + "hot": "Quente", + "no_light": "Sem luz", + "light_detected": "Luz detectada", + "locked": "Trancada", + "unlocked": "Destrancada", + "not_moving": "Parado", + "safe": "Seguro", + "unsafe": "Inseguro", + "tampering_detected": "Tampering detected", + "buffering": "A armazenar em buffer", + "paused": "Em pausa", + "playing": "A reproduzir", + "standby": "Standby", + "app_id": "ID da aplicação", + "local_accessible_entity_picture": "Imagem da entidade acessível localmente", + "group_members": "Group members", + "muted": "Muted", + "album_artist": "Álbum do artista", "content_id": "Content ID", "content_type": "Content type", "channels": "Canais", @@ -1790,74 +1861,11 @@ "receiver": "Recetor", "speaker": "Coluna", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Apenas brilho", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Temperatura da cor (mireds)", - "color_temperature_kelvin": "Temperatura da cor (Kelvin)", - "available_effects": "Efeitos disponíveis", - "maximum_color_temperature_kelvin": "Temperatura máxima da cor (Kelvin)", - "maximum_color_temperature_mireds": "Temperatura máxima da cor (mireds)", - "minimum_color_temperature_kelvin": "Temperatura mínima da cor (Kelvin)", - "minimum_color_temperature_mireds": "Temperatura mínima da cor (mireds)", - "available_color_modes": "Modos de cor disponíveis", - "event_type": "Tipo de evento", - "event_types": "Tipos de evento", - "doorbell": "Campainha", - "available_tones": "Tons disponíveis", - "locked": "Trancado", - "unlocked": "Destrancada", - "members": "Membros", - "managed_via_ui": "Gerido através da IU", - "id": "ID", - "max_running_automations": "Máximo de automatizações em execução", - "finishes_at": "Termina em", - "remaining": "Restante", - "next_event": "Próximo evento", - "update_available": "Atualização disponível", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "box": "Caixa", - "step": "Passo", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Caudal volumétrico", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garagem", - "pattern": "Padrão", + "above_horizon": "Acima do horizonte", + "below_horizon": "Abaixo do horizonte", + "oscillating": "Oscillating", + "speed_step": "Passo de velocidade", + "available_preset_modes": "Modos predefinidos disponíveis", "armed_away": "Armado Ausente", "armed_custom_bypass": "Armado Desvio personalizado", "armed_home": "Armado Casa", @@ -1869,14 +1877,68 @@ "code_for_arming": "Código para armar", "not_required": "Não requerido", "code_format": "Formato do Código", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Roteador", + "event_type": "Tipo de evento", + "event_types": "Tipos de evento", + "doorbell": "Campainha", + "device_trackers": "Rastreadores de dispositivos", + "max_running_scripts": "Máximo de scripts em execução", + "jammed": "Encravado", + "locking": "A trancar", + "unlocking": "A destrancar", + "cool": "Arrefecimento", + "fan_only": "Ventilar", + "heat_cool": "Aquecimento/arrefecimento", + "aux_heat": "Aquecimento auxiliar", + "current_humidity": "Humidade Atual", + "current_temperature": "Current Temperature", + "fan_mode": "Modo do ventilador", + "diffuse": "Difuso", + "middle": "Meio", + "top": "Total", + "current_action": "Modo atual", + "drying": "Desumidificação", + "preheating": "Pré-Aquecimento", + "max_target_humidity": "Humidade máxima pretendida", + "max_target_temperature": "Temperatura máxima pretendida", + "min_target_humidity": "Humidade mínima pretendida", + "min_target_temperature": "Temperatura mínima pretendida", + "boost": "Turbo", + "comfort": "Conforto", + "eco": "Eco", + "sleep": "Baixo consumo", + "presets": "Pré-definições", + "swing_mode": "Modo de oscilação", + "both": "Ambos", + "horizontal": "Horizontal", + "target_temperature_step": "Incremento", "last_reset": "Última reinicialização", "possible_states": "Estados possíveis", - "state_class": "State class", + "state_class": "Classe de estado", "measurement": "Measurement", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Apenas brilho", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Temperatura da cor (mireds)", + "color_temperature_kelvin": "Temperatura da cor (Kelvin)", + "available_effects": "Efeitos disponíveis", + "maximum_color_temperature_kelvin": "Temperatura máxima da cor (Kelvin)", + "maximum_color_temperature_mireds": "Temperatura máxima da cor (mireds)", + "minimum_color_temperature_kelvin": "Temperatura mínima da cor (Kelvin)", + "minimum_color_temperature_mireds": "Temperatura mínima da cor (mireds)", + "available_color_modes": "Modos de cor disponíveis", "clear_night": "Limpo, noite", "cloudy": "Nublado", "exceptional": "Excepcional", @@ -1899,59 +1961,79 @@ "uv_index": "índice UV", "wind_bearing": "Direção do vento", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Acima do horizonte", - "below_horizon": "Abaixo do horizonte", - "oscillating": "Oscillating", - "speed_step": "Passo de velocidade", - "available_preset_modes": "Modos predefinidos disponíveis", - "jammed": "Encravado", - "locking": "A trancar", - "unlocking": "A destrancar", - "identify": "Identificar", - "not_charging": "Não está a carregar", - "detected": "Detectado", - "unplugged": "Desligado", - "hot": "Quente", - "no_light": "Sem luz", - "light_detected": "Luz detectada", - "wet": "Húmido", - "not_moving": "Parado", - "safe": "Seguro", - "unsafe": "Inseguro", - "tampering_detected": "Tampering detected", + "recording": "A gravar", + "streaming": "Transmissão em fluxo contínuo", + "access_token": "Token de acesso", + "brand": "Marca", + "stream_type": "Tipo de transmissão", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Modelo", "minute": "Minuto", "second": "Segundo", - "location_is_already_configured": "A localização já está configurada", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Chave de API inválida", - "api_key": "Chave da API", + "pattern": "Padrão", + "members": "Membros", + "finishes_at": "Termina em", + "remaining": "Restante", + "identify": "Identificar", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Já configurado. Apenas uma única configuração é possível.", "user_description": "Quer dar início à configuração?", + "device_is_already_configured": "Dispositivo já configurado", + "re_authentication_was_successful": "Reautenticação bem sucedida", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "A ligação falhou", + "error_custom_port_not_supported": "Os dispositivos gen1 não suportam portas personalizadas.", + "invalid_authentication": "Autenticação inválida", + "unexpected_error": "Unexpected error", + "username": "Nome de Utilizador", + "host": "Host", + "port": "Porta", "account_is_already_configured": "Conta já configurada", "abort_already_in_progress": "O processo de configuração já está a decorrer", - "failed_to_connect": "A ligação falhou", "invalid_access_token": "Token de acesso inválido", "received_invalid_token_data": "Recebido token de autenticação inválido.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Reautenticação bem sucedida", - "timeout_establishing_connection": "Excedido o tempo limite para estabelecer ligação", - "unexpected_error": "Erro inesperado", "successfully_authenticated": "Autenticado com sucesso", - "link_google_account": "Ligar a conta Google", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Escolha o método de autenticação", "authentication_expired_for_name": "A autenticação expirou para {name}", "service_is_already_configured": "Serviço já configurado", - "confirm_description": "Pretende configurar {name}?", - "device_is_already_configured": "Dispositivo já configurado", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Erro de ligação: {error}", - "invalid_authentication_error": "Autenticação inválida: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Nome de Utilizador", - "authenticate": "Autenticar", - "host": "Host", - "abort_single_instance_allowed": "Já configurado. Apenas uma única configuração é possível.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Pretende configurar {name}?", + "adapter": "Adaptador", + "multiple_adapters_description": "Selecionar um adaptador Bluetooth para configurar", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Chave da API", + "configure_daikin_ac": "Configurar o Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1967,39 +2049,41 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Endereço IP ou anfitrião inválido.", - "device_not_supported": "Dispositivo não suportado", - "name_model_at_host": "{name} ({model} em {host})", - "authenticate_to_the_device": "Autenticar no dispositivo", - "finish_title": "Escolha um nome para o dispositivo", - "unlock_the_device": "Desbloqueie o dispositivo", - "yes_do_it": "Sim, faça-o.", - "unlock_the_device_optional": "Desbloqueie o dispositivo (opcional)", - "connect_to_the_device": "Ligar ao dispositivo", - "no_port_for_endpoint": "Nenhuma porta para o terminal", - "abort_no_services": "Nenhum serviço encontrado no terminal", - "port": "Porta", - "discovered_wyoming_service": "Descoberto serviço Wyoming", - "invalid_authentication": "Autenticação inválida", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Utiliza um certificado SSL", + "verify_ssl_certificate": "Verificar o certificado SSL", + "timeout_establishing_connection": "Excedido o tempo limite para estabelecer ligação", + "link_google_account": "Ligar a conta Google", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Erro de ligação: {error}", + "invalid_authentication_error": "Autenticação inválida: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Autenticar", + "device_class": "Classe do dispositivo", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "A localização já está configurada", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Chave de API inválida", + "pin_code": "Código PIN", + "discovered_android_tv": "Android TV encontrada.", + "confirm_description": "Autenticação inválid", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Endereço IP ou anfitrião inválido.", + "device_not_supported": "Dispositivo não suportado", + "name_model_at_host": "{name} ({model} em {host})", + "authenticate_to_the_device": "Autenticar no dispositivo", + "finish_title": "Escolha um nome para o dispositivo", + "unlock_the_device": "Desbloqueie o dispositivo", + "yes_do_it": "Sim, faça-o.", + "unlock_the_device_optional": "Desbloqueie o dispositivo (opcional)", + "connect_to_the_device": "Ligar ao dispositivo", "invalid_birth_topic": "Tópico de nascimento inválido", "error_bad_certificate": "O certificado CA é inválido", "invalid_discovery_prefix": "Prefixo de descoberta inválido", @@ -2023,8 +2107,9 @@ "path_is_not_allowed": "O caminho não é permitido", "path_is_not_valid": "O caminho é inválido", "path_to_file": "Caminho para o ficheiro", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "Ocorreu um erro de API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Ativar HTTPS", "abort_mdns_missing_mac": "Endereço MAC ausente nas propriedades MDNS.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2032,10 +2117,36 @@ "service_received": "Serviço recebido", "discovered_esphome_node": "Nodo ESPHome descoberto", "encryption_key": "Chave de encriptação", + "no_port_for_endpoint": "Nenhuma porta para o terminal", + "abort_no_services": "Nenhum serviço encontrado no terminal", + "discovered_wyoming_service": "Descoberto serviço Wyoming", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Tipo de Switchbot não suportado.", + "authentication_failed_error_detail": "Falha na autenticação: {error_detail}", + "error_encryption_key_invalid": "A chave ID ou Chave de encriptação é inválida", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Conta SwitchBot (recomendado)", + "menu_options_lock_key": "Introduzir manualmente a chave de encriptação de bloqueio", + "key_id": "Key ID", + "password_description": "Palavra-passe para proteger o backup.", + "device_address": "Endereço do dispositivo", + "component_switchbot_config_error_one": "Erro", + "component_switchbot_config_error_other": "Erros", + "meteorologisk_institutt": "Instituto de Meteorologia", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge já está configurada", + "no_deconz_bridges_discovered": "Nenhum hub deCONZ descoberto", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Não foi possível obter uma Chave da API", + "link_with_deconz": "Ligação com deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "Todas as entidades", "hide_members": "Esconder membros", "add_group": "Adicionar grupo", - "device_class": "Device class", "ignore_non_numeric": "Ignorar não numérico", "data_round_digits": "Valor arredondado ao número de decimais", "type": "Type", @@ -2048,84 +2159,50 @@ "media_player_group": "Grupo de leitores multimédia", "sensor_group": "Grupo de sensores", "switch_group": "Grupo de interruptores", - "name_already_exists": "Nome já existente", - "passive": "Passivo", - "define_zone_parameters": "Definir os parâmetros da zona", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Os dispositivos gen1 não suportam portas personalizadas.", "abort_alternative_integration": "O dispositivo é melhor suportado por outra integração", "abort_discovery_error": "Falha ao descobrir um dispositivo DLNA correspondente", "abort_incomplete_config": "A configuração não tem uma variável necessária", "manual_description": "URL para um ficheiro XML de descrição do dispositivo", "manual_title": "Ligação manual do dispositivo DMR DLNA", "discovered_dlna_dmr_devices": "Dispositivos DMR DLNA descobertos", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Nome já existente", + "passive": "Passivo", + "define_zone_parameters": "Definir os parâmetros da zona", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adaptador", - "multiple_adapters_description": "Selecionar um adaptador Bluetooth para configurar", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Utiliza um certificado SSL", - "verify_ssl_certificate": "Verificar o certificado SSL", - "configure_daikin_ac": "Configurar o Daikin AC", - "pin_code": "Código PIN", - "discovered_android_tv": "Android TV encontrada.", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge já está configurada", - "no_deconz_bridges_discovered": "Nenhum hub deCONZ descoberto", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Não foi possível obter uma Chave da API", - "link_with_deconz": "Ligação com deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Tipo de Switchbot não suportado.", - "authentication_failed_error_detail": "Falha na autenticação: {error_detail}", - "error_encryption_key_invalid": "A chave ID ou Chave de encriptação é inválida", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Conta SwitchBot (recomendado)", - "menu_options_lock_key": "Introduzir manualmente a chave de encriptação de bloqueio", - "key_id": "Key ID", - "password_description": "Palavra-passe para proteger o backup.", - "device_address": "Endereço do dispositivo", - "component_switchbot_config_error_one": "Erro", - "component_switchbot_config_error_other": "Erros", - "meteorologisk_institutt": "Instituto de Meteorologia", - "api_error_occurred": "Ocorreu um erro de API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Ativar HTTPS", - "enable_the_conversation_agent": "Iniciar o agente de conversação", - "language_code": "Código do idioma", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Modo de rastreio Bluetooth", + "passive_scanning": "Varrimento passivo", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2208,6 +2285,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Iniciar o agente de conversação", + "language_code": "Código do idioma", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Acesso do Home Assistant ao Calendário Google", + "ignore_cec": "Ignorar CEC", + "allowed_uuids": "UUIDs permitidos", + "advanced_google_cast_configuration": "Configuração avançada do Google Cast", "broker_options": "Opções do broker", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2221,106 +2315,37 @@ "will_message_retain": "Reter mensagem testamental", "will_message_topic": "Tópico da mensagem testamental", "mqtt_options": "Opções MQTT", - "ignore_cec": "Ignorar CEC", - "allowed_uuids": "UUIDs permitidos", - "advanced_google_cast_configuration": "Configuração avançada do Google Cast", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Modo de rastreio Bluetooth", + "protocol": "Protocolo", + "select_test_server": "Select test server", + "retry_count": "Contagem de tentativas", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Permitir grupos de luz deCONZ", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ", + "deconz_options": "deCONZ options", "invalid_url": "URL inválido", "data_browse_unfiltered": "Mostrar multimédia incompatível durante a navegação", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Porta do ouvinte de eventos (aleatória se não estiver definida)", "poll_for_device_availability": "Sondagem sobre a disponibilidade do dispositivo", "init_title": "Configuração do DLNA Digital Media Renderer", - "passive_scanning": "Varrimento passivo", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Permitir grupos de luz deCONZ", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure a visibilidade dos tipos de dispositivos deCONZ", - "deconz_options": "deCONZ options", - "retry_count": "Contagem de tentativas", - "data_calendar_access": "Acesso do Home Assistant ao Calendário Google", - "protocol": "Protocolo", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Alternar {entity_name}", - "turn_off_entity_name": "Desligar {entity_name}", - "turn_on_entity_name": "Ligar {entity_name}", - "entity_name_is_off": "{entity_name} está desligado", - "entity_name_is_on": "{entity_name} está ligado", - "trigger_type_changed_states": "{entity_name} foi ligado ou desligado", - "entity_name_turned_off": "{entity_name} foi desligado", - "entity_name_turned_on": "{entity_name} foi ligado", - "entity_name_is_home": "{entity_name} está em casa", - "entity_name_is_not_home": "{entity_name} não está em casa", - "entity_name_enters_a_zone": "{entity_name} entra numa zona", - "entity_name_leaves_a_zone": "{entity_name} sai de uma zona", - "action_type_set_hvac_mode": "Alterar o modo HVAC de {entity_name}", - "change_preset_on_entity_name": "Alterar pré-definição de {entity_name}", - "entity_name_measured_humidity_changed": "A humidade medida por {entity_name} alterou-se", - "entity_name_measured_temperature_changed": "A temperatura medida por {entity_name} alterou-se", - "entity_name_hvac_mode_changed": "Modo HVAC de {entity_name} alterado", - "entity_name_is_buffering": "{entity_name} está a armazenar em buffer", - "entity_name_is_idle": "{entity_name} está em espera", - "entity_name_is_paused": "{entity_name} está em pausa", - "entity_name_is_playing": "{entity_name} está a reproduzir", - "entity_name_starts_buffering": "{entity_name} inicia a colocação em buffer", - "entity_name_becomes_idle": "{entity_name} fica inativo", - "entity_name_starts_playing": "{entity_name} iniciou a reprodução", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Primeiro botão", "second_button": "Segundo botão", "third_button": "Terceiro botão", "fourth_button": "Quarto botão", - "fifth_button": "Quinto botão", - "sixth_button": "Sexto botão", - "subtype_double_clicked": "Botão \"{subtype}\" clicado duas vezes", - "subtype_continuously_pressed": "Botão \"{subtype}\" pressionado continuamente", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Diminuir o brilho de {entity_name}", - "increase_entity_name_brightness": "Aumentar o brilho de {entity_name}", - "flash_entity_name": "Piscar {entity_name}", - "action_type_select_first": "Alterar {entity_name} para a primeira opção", - "action_type_select_last": "Alterar {entity_name} para a última opção", - "action_type_select_next": "Alterar {entity_name} para a opção seguinte", - "change_entity_name_option": "Alterar opção {entity_name}", - "action_type_select_previous": "Alterar {entity_name} para a opção anterior", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "Disponibilidade de atualização de {entity_name} alterada", - "entity_name_became_up_to_date": "{entity_name} foi atualizado", - "trigger_type_update": "{entity_name} tem uma atualização disponível", "subtype_button_down": "Botão {subtype} para baixo", "subtype_button_up": "Botão {subtype} para cima", + "subtype_double_clicked": "Botão \"{subtype}\" clicado duas vezes", "subtype_double_push": "{subtype} impulso duplo", "subtype_long_clicked": "{subtype} clique longo", "subtype_long_push": "{subtype} impulso longo", @@ -2328,8 +2353,10 @@ "subtype_single_clicked": "{subtype} clique simples", "trigger_type_single_long": "{subtype} clique simples seguido de clique longo", "subtype_single_push": "{subtype} impulso simples", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} impulso triplo", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Fechar {entity_name}", "close_entity_name_tilt": "Fechar a inclinação da {entity_name}", "open_entity_name": "Abrir {entity_name}", @@ -2347,7 +2374,111 @@ "entity_name_opened": "{entity_name} opened", "entity_name_position_changes": "{entity_name} mudou de posição", "entity_name_tilt_position_changes": "{entity_name} mudou inclinação", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "a bateria {entity_name} está baixa", + "entity_name_is_charging": "{entity_name} a está a carregar", + "condition_type_is_co": "{entity_name} está detectando monóxido de carbono", + "entity_name_is_cold": "{entity_name} está frio", + "entity_name_is_on": "{entity_name} está ligado", + "entity_name_is_detecting_gas": "{entity_name} está a detectar gás", + "entity_name_is_hot": "{entity_name} está quente", + "entity_name_is_detecting_light": "{entity_name} está a detectar luz", + "entity_name_is_locked": "{entity_name} está trancada", + "entity_name_is_moist": "{entity_name} está húmido", + "entity_name_is_detecting_motion": "{entity_name} está a detectar movimento", + "entity_name_is_moving": "{entity_name} está a mexer", + "condition_type_is_no_co": "{entity_name} não está a detetar monóxido de carbono", + "condition_type_is_no_gas": "{entity_name} não está a detectar gás", + "condition_type_is_no_light": "{entity_name} não está a detectar a luz", + "condition_type_is_no_motion": "{entity_name} não está a detectar movimento", + "condition_type_is_no_problem": "{entity_name} não está a detectar o problema", + "condition_type_is_no_smoke": "{entity_name} não está a detectar fumo", + "condition_type_is_no_sound": "{entity_name} não está a detectar som", + "entity_name_is_up_to_date": "{entity_name} está atualizado", + "condition_type_is_no_vibration": "{entity_name} não está a detectar vibrações", + "entity_name_battery_is_normal": "{entity_name} a bateria está normal", + "entity_name_not_charging": "{entity_name} não está a carregar", + "entity_name_is_not_cold": "{entity_name} não está frio", + "entity_name_is_off": "{entity_name} está desligado", + "entity_name_is_not_hot": "{entity_name} não está quente", + "entity_name_is_unlocked": "{entity_name} está destrancado", + "entity_name_is_dry": "{entity_name} está seco", + "entity_name_is_not_moving": "{entity_name} não está a mexer", + "entity_name_is_not_occupied": "{entity_name} não está ocupado", + "entity_name_is_unplugged": "{entity_name} está desconectado", + "entity_name_is_not_powered": "{entity_name} não está alimentado", + "entity_name_is_not_present": "{entity_name} não está presente", + "entity_name_is_not_running": "{entity_name} não está em execução", + "condition_type_is_not_tampered": "{entity_name} não está a detetar adulterações", + "entity_name_is_safe": "{entity_name} está seguro", + "entity_name_is_occupied": "{entity_name} está ocupado", + "entity_name_is_plugged_in": "{entity_name} está conectado", + "entity_name_is_powered": "{entity_name} está alimentado", + "entity_name_is_present": "{entity_name} está presente", + "entity_name_is_detecting_problem": "{entity_name} está a detectar um problema", + "entity_name_is_running": "{entity_name} está em execução", + "entity_name_is_detecting_smoke": "{entity_name} está a detectar fumo", + "entity_name_is_detecting_sound": "{entity_name} está a detectar som", + "entity_name_is_detecting_tampering": "{entity_name} está a detetar adulteração", + "entity_name_is_unsafe": "{entity_name} não é seguro", + "trigger_type_update": "{entity_name} tem uma atualização disponível", + "entity_name_is_detecting_vibration": "{entity_name} está a detectar vibrações", + "entity_name_battery_low": "{entity_name} com bateria fraca", + "entity_name_charging": "{entity_name} a carregar", + "trigger_type_co": "{entity_name} começou a detetar monóxido de carbono", + "entity_name_became_cold": "{entity_name} ficou frio", + "entity_name_started_detecting_gas": "{entity_name} detectou gás", + "entity_name_became_hot": "{entity_name} ficou quente", + "entity_name_started_detecting_light": "{entity_name} detectou luz", + "entity_name_locked": "{entity_name} fechada", + "entity_name_became_moist": "ficou húmido {entity_name}", + "entity_name_started_detecting_motion": "{entity_name} detectou movimento", + "entity_name_started_moving": "{entity_name} começou a mover-se", + "trigger_type_no_co": "{entity_name} deixou de detetar monóxido de carbono", + "entity_name_stopped_detecting_gas": "{entity_name} deixou de detectar gás", + "entity_name_stopped_detecting_light": "{entity_name} deixou de detectar luz", + "entity_name_stopped_detecting_motion": "{entity_name} deixou de detectar movimento", + "entity_name_stopped_detecting_problem": "{entity_name} deixou de detectar problemas", + "entity_name_stopped_detecting_smoke": "{entity_name} deixou de detectar fumo", + "entity_name_stopped_detecting_sound": "{entity_name} deixou de detectar som", + "entity_name_became_up_to_date": "{entity_name} foi atualizado", + "entity_name_stopped_detecting_vibration": "{entity_name} deixou de detectar vibração", + "entity_name_battery_normal": "{entity_name} bateria normal", + "entity_name_became_not_cold": "{entity_name} deixou de estar frio", + "entity_name_unplugged": "{entity_name} desligado", + "entity_name_became_not_hot": "{entity_name} deixou de estar quente", + "entity_name_unlocked": "{entity_name} aberta", + "entity_name_became_dry": "{entity_name} ficou seco", + "entity_name_stopped_moving": "{entity_name} deixou de se mover", + "entity_name_became_not_occupied": "{entity_name} deixou de estar ocupado", + "entity_name_not_powered": "{entity_name} não alimentado", + "entity_name_not_present": "ausente {entity_name}", + "trigger_type_not_running": "{entity_name} já não está execução", + "entity_name_stopped_detecting_tampering": "{entity_name} parou de detetar adulteração", + "entity_name_became_safe": "ficou seguro {entity_name}", + "entity_name_became_occupied": "ficou ocupado {entity_name}", + "entity_name_plugged_in": "{entity_name} ligado", + "entity_name_powered": "{entity_name} alimentado", + "entity_name_present": "{entity_name} presente", + "entity_name_started_detecting_problem": "foi detectado problema em {entity_name}", + "entity_name_started_running": "{entity_name} iniciou execução", + "entity_name_started_detecting_smoke": "foi detectado fumo em {entity_name}", + "entity_name_started_detecting_sound": "foram detectadas sons em {entity_name}", + "entity_name_started_detecting_tampering": "{entity_name} começou a detetar adulterações", + "entity_name_turned_off": "{entity_name} foi desligado", + "entity_name_turned_on": "{entity_name} foi ligado", + "entity_name_became_unsafe": "ficou inseguro {entity_name}", + "entity_name_started_detecting_vibration": "foram detectadas vibrações em {entity_name}", + "entity_name_is_buffering": "{entity_name} está a armazenar em buffer", + "entity_name_is_idle": "{entity_name} está em espera", + "entity_name_is_paused": "{entity_name} está em pausa", + "entity_name_is_playing": "{entity_name} está a reproduzir", + "entity_name_starts_buffering": "{entity_name} inicia a colocação em buffer", + "trigger_type_changed_states": "{entity_name} foi ligado ou desligado", + "entity_name_becomes_idle": "{entity_name} fica inativo", + "entity_name_starts_playing": "{entity_name} iniciou a reprodução", + "toggle_entity_name": "Alternar {entity_name}", + "turn_off_entity_name": "Desligar {entity_name}", + "turn_on_entity_name": "Ligar {entity_name}", "arm_entity_name_away": "Armar {entity_name} Ausente", "arm_entity_name_home": "Armar {entity_name} Casa", "arm_entity_name_night": "Armar {entity_name} Noite", @@ -2366,12 +2497,26 @@ "entity_name_armed_vacation": "{entity_name} armado Férias", "entity_name_disarmed": "{entity_name} desarmado", "entity_name_triggered": "{entity_name} despoletado", + "entity_name_is_home": "{entity_name} está em casa", + "entity_name_is_not_home": "{entity_name} não está em casa", + "entity_name_enters_a_zone": "{entity_name} entra numa zona", + "entity_name_leaves_a_zone": "{entity_name} sai de uma zona", + "lock_entity_name": "Bloquear {entity_name}", + "unlock_entity_name": "Desbloquear {entity_name}", + "action_type_set_hvac_mode": "Alterar o modo HVAC de {entity_name}", + "change_preset_on_entity_name": "Alterar pré-definição de {entity_name}", + "hvac_mode": "Modo HVAC", + "to": "To", + "entity_name_measured_humidity_changed": "A humidade medida por {entity_name} alterou-se", + "entity_name_measured_temperature_changed": "A temperatura medida por {entity_name} alterou-se", + "entity_name_hvac_mode_changed": "Modo HVAC de {entity_name} alterado", "current_entity_name_apparent_power": "Potência aparente atual de {entity_name}", "condition_type_is_aqi": "Índice de qualidade do ar atual de {entity_name}", "current_entity_name_atmospheric_pressure": "Pressão atmosférica atual de {entity_name}", "current_entity_name_battery_level": "Nível de bateria atual de {entity_name}", "condition_type_is_carbon_dioxide": "Nível atual de concentração de dióxido de carbono de {entity_name}", "condition_type_is_carbon_monoxide": "Nível atual de concentração de monóxido de carbono de {entity_name}", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Corrente atual de {entity_name}", "current_entity_name_data_rate": "Taxa de dados {entity_name} atual", "current_entity_name_data_size": "Tamanho atual dos dados {entity_name}", @@ -2416,6 +2561,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "Alterações da concentração de dióxido de carbono de {entity_name}", "trigger_type_carbon_monoxide": "Alterações na concentração de monóxido de carbono de {entity_name}", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "Alterações de corrente de {entity_name}", "entity_name_data_rate_changes": "Alterações na taxa de dados {entity_name}", "entity_name_data_size_changes": "{entity_name} alterações no tamanho dos dados", @@ -2454,131 +2600,70 @@ "entity_name_water_changes": "Mudanças de água de {entity_name}", "entity_name_weight_changes": "Alterações de peso de {entity_name}", "entity_name_wind_speed_changes": "{entity_name} mudança na velocidade do vento", + "decrease_entity_name_brightness": "Diminuir o brilho de {entity_name}", + "increase_entity_name_brightness": "Aumentar o brilho de {entity_name}", + "flash_entity_name": "Piscar {entity_name}", + "flash": "Flash", + "fifth_button": "Quinto botão", + "sixth_button": "Sexto botão", + "subtype_continuously_pressed": "Botão \"{subtype}\" pressionado continuamente", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Alterar {entity_name} para a primeira opção", + "action_type_select_last": "Alterar {entity_name} para a última opção", + "action_type_select_next": "Alterar {entity_name} para a opção seguinte", + "change_entity_name_option": "Alterar opção {entity_name}", + "action_type_select_previous": "Alterar {entity_name} para a opção anterior", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Ambos os botões", + "bottom_buttons": "Botões inferiores", + "seventh_button": "Sétimo botão", + "eighth_button": "Oitavo botão", + "dim_down": "Escurecer", + "dim_up": "Clariar", + "left": "Esquerda", + "right": "Direita", + "side": "Lado 6", + "top_buttons": "Botões superiores", + "device_awakened": "Dispositivo acordou", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Dispositivo em queda livre", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Dispositivo agitado", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Dispositivo girado no sentido horário", + "device_turned_counter_clockwise": "Dispositivo girado no sentido anti-horário", "press_entity_name_button": "Pressione o botão {entity_name}", "entity_name_has_been_pressed": "{entity_name} foi pressionado", - "entity_name_battery_is_low": "a bateria {entity_name} está baixa", - "entity_name_is_charging": "{entity_name} a está a carregar", - "condition_type_is_co": "{entity_name} está detectando monóxido de carbono", - "entity_name_is_cold": "{entity_name} está frio", - "entity_name_is_detecting_gas": "{entity_name} está a detectar gás", - "entity_name_is_hot": "{entity_name} está quente", - "entity_name_is_detecting_light": "{entity_name} está a detectar luz", - "entity_name_is_locked": "{entity_name} está trancada", - "entity_name_is_moist": "{entity_name} está húmido", - "entity_name_is_detecting_motion": "{entity_name} está a detectar movimento", - "entity_name_is_moving": "{entity_name} está a mexer", - "condition_type_is_no_co": "{entity_name} não está a detetar monóxido de carbono", - "condition_type_is_no_gas": "{entity_name} não está a detectar gás", - "condition_type_is_no_light": "{entity_name} não está a detectar a luz", - "condition_type_is_no_motion": "{entity_name} não está a detectar movimento", - "condition_type_is_no_problem": "{entity_name} não está a detectar o problema", - "condition_type_is_no_smoke": "{entity_name} não está a detectar fumo", - "condition_type_is_no_sound": "{entity_name} não está a detectar som", - "entity_name_is_up_to_date": "{entity_name} está atualizado", - "condition_type_is_no_vibration": "{entity_name} não está a detectar vibrações", - "entity_name_battery_is_normal": "{entity_name} a bateria está normal", - "entity_name_not_charging": "{entity_name} não está a carregar", - "entity_name_is_not_cold": "{entity_name} não está frio", - "entity_name_is_not_hot": "{entity_name} não está quente", - "entity_name_is_unlocked": "{entity_name} está destrancado", - "entity_name_is_dry": "{entity_name} está seco", - "entity_name_is_not_moving": "{entity_name} não está a mexer", - "entity_name_is_not_occupied": "{entity_name} não está ocupado", - "entity_name_is_unplugged": "{entity_name} está desconectado", - "entity_name_is_not_powered": "{entity_name} não está alimentado", - "entity_name_is_not_present": "{entity_name} não está presente", - "entity_name_is_not_running": "{entity_name} não está em execução", - "condition_type_is_not_tampered": "{entity_name} não está a detetar adulterações", - "entity_name_is_safe": "{entity_name} está seguro", - "entity_name_is_occupied": "{entity_name} está ocupado", - "entity_name_is_plugged_in": "{entity_name} está conectado", - "entity_name_is_powered": "{entity_name} está alimentado", - "entity_name_is_present": "{entity_name} está presente", - "entity_name_is_detecting_problem": "{entity_name} está a detectar um problema", - "entity_name_is_running": "{entity_name} está em execução", - "entity_name_is_detecting_smoke": "{entity_name} está a detectar fumo", - "entity_name_is_detecting_sound": "{entity_name} está a detectar som", - "entity_name_is_detecting_tampering": "{entity_name} está a detetar adulteração", - "entity_name_is_unsafe": "{entity_name} não é seguro", - "entity_name_is_detecting_vibration": "{entity_name} está a detectar vibrações", - "entity_name_battery_low": "{entity_name} com bateria fraca", - "entity_name_charging": "{entity_name} a carregar", - "trigger_type_co": "{entity_name} começou a detetar monóxido de carbono", - "entity_name_became_cold": "{entity_name} ficou frio", - "entity_name_started_detecting_gas": "{entity_name} detectou gás", - "entity_name_became_hot": "{entity_name} ficou quente", - "entity_name_started_detecting_light": "{entity_name} detectou luz", - "entity_name_locked": "{entity_name} fechada", - "entity_name_became_moist": "ficou húmido {entity_name}", - "entity_name_started_detecting_motion": "{entity_name} detectou movimento", - "entity_name_started_moving": "{entity_name} começou a mover-se", - "trigger_type_no_co": "{entity_name} deixou de detetar monóxido de carbono", - "entity_name_stopped_detecting_gas": "{entity_name} deixou de detectar gás", - "entity_name_stopped_detecting_light": "{entity_name} deixou de detectar luz", - "entity_name_stopped_detecting_motion": "{entity_name} deixou de detectar movimento", - "entity_name_stopped_detecting_problem": "{entity_name} deixou de detectar problemas", - "entity_name_stopped_detecting_smoke": "{entity_name} deixou de detectar fumo", - "entity_name_stopped_detecting_sound": "{entity_name} deixou de detectar som", - "entity_name_stopped_detecting_vibration": "{entity_name} deixou de detectar vibração", - "entity_name_battery_normal": "{entity_name} bateria normal", - "entity_name_became_not_cold": "{entity_name} deixou de estar frio", - "entity_name_unplugged": "{entity_name} desligado", - "entity_name_became_not_hot": "{entity_name} deixou de estar quente", - "entity_name_unlocked": "{entity_name} aberta", - "entity_name_became_dry": "{entity_name} ficou seco", - "entity_name_stopped_moving": "{entity_name} deixou de se mover", - "entity_name_became_not_occupied": "{entity_name} deixou de estar ocupado", - "entity_name_not_powered": "{entity_name} não alimentado", - "entity_name_not_present": "ausente {entity_name}", - "trigger_type_not_running": "{entity_name} já não está execução", - "entity_name_stopped_detecting_tampering": "{entity_name} parou de detetar adulteração", - "entity_name_became_safe": "ficou seguro {entity_name}", - "entity_name_became_occupied": "ficou ocupado {entity_name}", - "entity_name_plugged_in": "{entity_name} ligado", - "entity_name_powered": "{entity_name} alimentado", - "entity_name_present": "{entity_name} presente", - "entity_name_started_detecting_problem": "foi detectado problema em {entity_name}", - "entity_name_started_running": "{entity_name} iniciou execução", - "entity_name_started_detecting_smoke": "foi detectado fumo em {entity_name}", - "entity_name_started_detecting_sound": "foram detectadas sons em {entity_name}", - "entity_name_started_detecting_tampering": "{entity_name} começou a detetar adulterações", - "entity_name_became_unsafe": "ficou inseguro {entity_name}", - "entity_name_started_detecting_vibration": "foram detectadas vibrações em {entity_name}", - "both_buttons": "Ambos os botões", - "bottom_buttons": "Botões inferiores", - "seventh_button": "Sétimo botão", - "eighth_button": "Oitavo botão", - "dim_down": "Escurecer", - "dim_up": "Clariar", - "left": "Esquerda", - "right": "Direita", - "side": "Lado 6", - "top_buttons": "Botões superiores", - "device_awakened": "Dispositivo acordou", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Dispositivo em queda livre", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Dispositivo agitado", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Dispositivo girado no sentido horário", - "device_turned_counter_clockwise": "Dispositivo girado no sentido anti-horário", - "lock_entity_name": "Bloquear {entity_name}", - "unlock_entity_name": "Desbloquear {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "Disponibilidade de atualização de {entity_name} alterada", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Atualização mais recente", + "arithmetic_mean": "Média aritmética", + "median": "Mediana", + "product": "Produto", + "statistical_range": "Intervalo estatístico", + "standard_deviation": "Standard deviation", "sky_blue": "Azul-celeste", "antique_white": "Branco-antigo", "aqua": "Água", @@ -2696,16 +2781,111 @@ "wheat": "Castanho-claro", "white_smoke": "Branco-fumado", "yellow_green": "Verde-amarelo", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Atualização mais recente", - "arithmetic_mean": "Média aritmética", - "median": "Mediana", - "product": "Produto", - "statistical_range": "Intervalo estatístico", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Ativar ou desativar a depuração asyncio.", + "enabled_description": "Para ativar ou desativar a depuração asyncio.", + "set_asyncio_debug": "Definir depuração asyncio", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "A data em que o evento de dia inteiro deve começar.", + "create_event": "Criar evento", + "get_events": "Get events", + "list_event": "Listar eventos", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude da sua localização", + "longitude_of_your_location": "Longitude da sua localização", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Recarrega a configuração de automatização.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Desencadeia as acções de uma automatização.", + "skip_conditions": "Saltar condições", + "trigger": "Gatilho", + "disables_an_automation": "Desativa uma automatização.", + "stops_currently_running_actions": "Interrompe as acções em execução.", + "stop_actions": "Parar acções", + "enables_an_automation": "Ativa uma automatização.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2740,175 +2920,6 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Interrompe um script em execução.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transição", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude da sua localização", - "longitude_of_your_location": "Longitude da sua localização", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "A data em que o evento de dia inteiro deve começar.", - "create_event": "Criar evento", - "get_events": "Get events", - "list_event": "Listar eventos", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Desativa a deteção de movimento.", - "disable_motion_detection": "Desativar a deteção de movimento", - "enables_the_motion_detection": "Ativa a deteção de movimento.", - "enable_motion_detection": "Ativar a deteção de movimento", - "format_description": "Formato de fluxo suportado pelo leitor multimédia.", - "format": "Formato", - "media_player_description": "Leitores multimédia para transmitir.", - "play_stream": "Reproduzir fluxo", - "filename": "Nome de ficheiro", - "lookback": "Retrospetiva", - "snapshot_description": "Tira uma fotografia a partir de uma câmara.", - "take_snapshot": "Tirar uma fotografia", - "turns_off_the_camera": "Desliga a câmara.", - "turns_on_the_camera": "Liga a câmara.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", - "apply_description": "Activates a scene with configuration.", - "entities_description": "List of entities and their target state.", - "entities_state": "Entities state", - "apply": "Apply", - "creates_a_new_scene": "Creates a new scene.", - "scene_id_description": "The entity ID of the new scene.", - "scene_entity_id": "Scene entity ID", - "snapshot_entities": "Snapshot entities", - "delete_description": "Deletes a dynamically created scene.", - "activates_a_scene": "Activates a scene.", - "turns_auxiliary_heater_on_off": "Liga/desliga o aquecimento auxiliar.", - "aux_heat_description": "Novo valor para o aquecedor auxiliar.", - "turn_on_off_auxiliary_heater": "Ligar/desligar aquecedor auxiliar", - "sets_fan_operation_mode": "Define o modo de operação do ventilador.", - "fan_operation_mode": "Modo de operação do ventilador.", - "set_fan_mode": "Definir modo do ventilador", - "sets_target_humidity": "Define a humidade pretendida.", - "set_target_humidity": "Definir humidade pretendida", - "sets_hvac_operation_mode": "Define o modo de operação do sistema HVAC.", - "hvac_operation_mode": "Modo de operação do sistema HVAC.", - "hvac_mode": "Modo HVAC", - "set_hvac_mode": "Definir modo do HVAC", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", - "sets_swing_operation_mode": "Define o modo de operação da função de oscilação.", - "swing_operation_mode": "Modo de operação da função de oscilação.", - "set_swing_mode": "Definir o modo de oscilação", - "sets_target_temperature": "Define a temperatura pretendida.", - "high_target_temperature": "Temperatura máxima pretendida.", - "target_temperature_high": "Temperatura Máx. pretendida", - "low_target_temperature": "Temperatura mínima pretendida.", - "target_temperature_low": "Temperatura Mín. pretendida", - "set_target_temperature": "Definir temperatura pretendida", - "turns_climate_device_off": "Desliga a climatização.", - "turns_climate_device_on": "Liga a climatização.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", "clears_the_playlist": "Clears the playlist.", "clear_playlist": "Clear playlist", "selects_the_next_track": "Selects the next track.", @@ -2926,7 +2937,6 @@ "select_sound_mode": "Select sound mode", "select_source": "Select source", "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Alterna (ativa/desactiva) uma automatização.", "unjoin": "Unjoin", "turns_down_the_volume": "Turns down the volume.", "turn_down_volume": "Turn down volume", @@ -2937,156 +2947,6 @@ "set_volume": "Set volume", "turns_up_the_volume": "Turns up the volume.", "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Tópico a subscrever", - "topic": "Tópico", - "export": "Exportar", - "publish_description": "Publica uma mensagem num tópico MQTT.", - "the_payload_to_publish": "A carga a ser publicada.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Reter", - "topic_to_publish_to": "Tópico para publicar.", - "publish": "Publicar", - "brightness_value": "Valor de brilho", - "a_human_readable_color_name": "Um nome de cor legível por humanos.", - "color_name": "Nome da cor", - "color_temperature_in_mireds": "Temperatura de cor em mireds.", - "light_effect": "Efeito de luz.", - "flash": "Flash", - "hue_sat_color": "Tonalidade/Saturação da Cor", - "color_temperature_in_kelvin": "Temperatura da cor em Kelvin.", - "profile_description": "Nome de um perfil de luz a utilizar.", - "white_description": "Colocar a luz no modo branco.", - "xy_color": "Cor XY", - "turn_off_description": "Desligar uma ou mais luzes.", - "brightness_step_description": "Alterar o brilho numa determinada quantidade.", - "brightness_step_value": "Valor do passo de brilho", - "brightness_step_pct_description": "Alterar o brilho numa percentagem.", - "brightness_step": "Passo de brilho", - "rgbw_color": "Cor RGBW", - "rgbww_color": "Cor RGBWW", - "reloads_the_automation_configuration": "Recarrega a configuração de automatização.", - "trigger_description": "Desencadeia as acções de uma automatização.", - "skip_conditions": "Saltar condições", - "trigger": "Gatilho", - "disables_an_automation": "Desativa uma automatização.", - "stops_currently_running_actions": "Interrompe as acções em execução.", - "stop_actions": "Parar acções", - "enables_an_automation": "Ativa uma automatização.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", - "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Ativar ou desativar a depuração asyncio.", - "enabled_description": "Para ativar ou desativar a depuração asyncio.", - "set_asyncio_debug": "Definir depuração asyncio", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", "apply_filter": "Apply filter", "days_to_keep": "Days to keep", "repack": "Repack", @@ -3095,35 +2955,6 @@ "entity_globs_to_remove": "Entity globs to remove", "entities_to_remove": "Entities to remove", "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", - "reload_themes_description": "Reloads themes from the YAML-configuration.", - "reload_themes": "Reload themes", - "name_of_a_theme": "Name of a theme.", - "set_the_default_theme": "Set the default theme", - "decrements_a_counter": "Decrements a counter.", - "increments_a_counter": "Increments a counter.", - "resets_a_counter": "Resets a counter.", - "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Ativa um disparo de alarme externo.", - "get_weather_forecast": "Get weather forecast.", - "type_description": "Forecast type: daily, hourly or twice daily.", - "forecast_type": "Forecast type", - "get_forecast": "Get forecast", - "get_weather_forecasts": "Get weather forecasts.", - "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", "decrease_speed_description": "Decreases the speed of the fan.", "percentage_step_description": "Increases the speed by a percentage step.", "decrease_speed": "Decrease speed", @@ -3138,38 +2969,281 @@ "speed_of_the_fan": "Speed of the fan.", "percentage": "Percentage", "set_speed": "Set speed", + "sets_preset_mode": "Define o modo de operação pré-definido.", + "set_preset_mode": "Definir modo pré-definido", "toggles_the_fan_on_off": "Toggles the fan on/off.", "turns_fan_off": "Turns fan off.", "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Premir o botão entidade.", - "bridge_identifier": "Bridge identifier", - "configuration_payload": "Configuration payload", - "entity_description": "Represents a specific device endpoint in deCONZ.", - "path": "Caminho", - "configure": "Configure", - "device_refresh_description": "Refreshes available devices from deCONZ.", - "device_refresh": "Device refresh", - "remove_orphaned_entries": "Remove orphaned entries", + "apply_description": "Activates a scene with configuration.", + "entities_description": "List of entities and their target state.", + "entities_state": "Entities state", + "transition": "Transition", + "apply": "Apply", + "creates_a_new_scene": "Creates a new scene.", + "scene_id_description": "The entity ID of the new scene.", + "scene_entity_id": "Scene entity ID", + "snapshot_entities": "Snapshot entities", + "delete_description": "Deletes a dynamically created scene.", + "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", "closes_a_valve": "Closes a valve.", "opens_a_valve": "Opens a valve.", "set_valve_position_description": "Moves a valve to a specific position.", "stops_the_valve_movement": "Stops the valve movement.", "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Ativa um disparo de alarme externo.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Premir o botão entidade.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Interrompe um script em execução.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", + "turns_auxiliary_heater_on_off": "Liga/desliga o aquecimento auxiliar.", + "aux_heat_description": "Novo valor para o aquecedor auxiliar.", + "turn_on_off_auxiliary_heater": "Ligar/desligar aquecedor auxiliar", + "sets_fan_operation_mode": "Define o modo de operação do ventilador.", + "fan_operation_mode": "Modo de operação do ventilador.", + "set_fan_mode": "Definir modo do ventilador", + "sets_target_humidity": "Define a humidade pretendida.", + "set_target_humidity": "Definir humidade pretendida", + "sets_hvac_operation_mode": "Define o modo de operação do sistema HVAC.", + "hvac_operation_mode": "Modo de operação do sistema HVAC.", + "set_hvac_mode": "Definir modo do HVAC", + "sets_swing_operation_mode": "Define o modo de operação da função de oscilação.", + "swing_operation_mode": "Modo de operação da função de oscilação.", + "set_swing_mode": "Definir o modo de oscilação", + "sets_target_temperature": "Define a temperatura pretendida.", + "high_target_temperature": "Temperatura máxima pretendida.", + "target_temperature_high": "Temperatura Máx. pretendida", + "low_target_temperature": "Temperatura mínima pretendida.", + "target_temperature_low": "Temperatura Mín. pretendida", + "set_target_temperature": "Definir temperatura pretendida", + "turns_climate_device_off": "Desliga a climatização.", + "turns_climate_device_on": "Liga a climatização.", "add_event_description": "Adds a new calendar event.", "calendar_id_description": "The id of the calendar you want.", "calendar_id": "Calendar ID", "description_description": "The description of the event. Optional.", "summary_description": "Acts as the title of the event.", "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Desligar uma ou mais luzes.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Tópico a subscrever", + "topic": "Tópico", + "export": "Exportar", + "publish_description": "Publica uma mensagem num tópico MQTT.", + "the_payload_to_publish": "A carga a ser publicada.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Reter", + "topic_to_publish_to": "Tópico para publicar.", + "publish": "Publicar", + "selects_the_next_option": "Selects the next option.", "ptz_move_description": "Move the camera with a specific speed.", "ptz_move_speed": "PTZ move speed.", "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", + "reload_themes_description": "Reloads themes from the YAML-configuration.", + "reload_themes": "Reload themes", + "name_of_a_theme": "Name of a theme.", + "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", + "decrements_a_counter": "Decrements a counter.", + "increments_a_counter": "Increments a counter.", + "resets_a_counter": "Resets a counter.", + "sets_the_counter_value": "Sets the counter value.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", + "get_weather_forecast": "Get weather forecast.", + "type_description": "Forecast type: daily, hourly or twice daily.", + "forecast_type": "Forecast type", + "get_forecast": "Get forecast", + "get_weather_forecasts": "Get weather forecasts.", + "get_forecasts": "Get forecasts", + "disables_the_motion_detection": "Desativa a deteção de movimento.", + "disable_motion_detection": "Desativar a deteção de movimento", + "enables_the_motion_detection": "Ativa a deteção de movimento.", + "enable_motion_detection": "Ativar a deteção de movimento", + "format_description": "Formato de fluxo suportado pelo leitor multimédia.", + "format": "Formato", + "media_player_description": "Leitores multimédia para transmitir.", + "play_stream": "Reproduzir fluxo", + "filename": "Nome de ficheiro", + "lookback": "Retrospetiva", + "snapshot_description": "Tira uma fotografia a partir de uma câmara.", + "take_snapshot": "Tirar uma fotografia", + "turns_off_the_camera": "Desliga a câmara.", + "turns_on_the_camera": "Liga a câmara.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", "set_datetime_description": "Sets the date and/or time.", "the_target_date": "The target date.", "datetime_description": "The target date & time.", "date_time": "Date & time", - "the_target_time": "The target time." + "the_target_time": "The target time.", + "bridge_identifier": "Bridge identifier", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Caminho", + "configure": "Configure", + "device_refresh_description": "Refreshes available devices from deCONZ.", + "device_refresh": "Device refresh", + "remove_orphaned_entries": "Remove orphaned entries", + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ro/ro.json b/packages/core/src/hooks/useLocale/locales/ro/ro.json index 6cf345d..bc543dc 100644 --- a/packages/core/src/hooks/useLocale/locales/ro/ro.json +++ b/packages/core/src/hooks/useLocale/locales/ro/ro.json @@ -1,7 +1,7 @@ { "energy": "Energie", "calendar": "Calendar", - "settings": "Setări", + "settings": "Settings", "overview": "Prezentare generală", "map": "Map", "logbook": "Logbook", @@ -10,7 +10,7 @@ "to_do_lists": "Liste to-do", "developer_tools": "Instrumente pentru dezvoltatori", "media": "Media", - "profile": "Profil", + "profile": "Profile", "panel_shopping_list": "Listă de cumpărături", "unknown": "Necunoscut", "unavailable": "Indisponibil", @@ -63,7 +63,7 @@ "name_heating": "Încălzire {name}", "name_cooling": "Răcire {name}", "high": "Ridicat", - "low": "Descărcată", + "low": "Scăzut", "mode": "Mode", "preset": "Presetare", "action_to_target": "{action} până la țintă", @@ -95,19 +95,19 @@ "resume_mowing": "Reia cositul", "start_mowing": "Începe cositul", "return_to_dock": "Întoarcere la doc", - "brightness": "Luminozitate", - "color_temperature": "Temperatură de culoare", + "brightness": "Brightness", + "color_temperature": "Color temperature", "white_brightness": "Luminozitate albă", "color_brightness": "Luminozitatea culorii", "cold_white_brightness": "Luminozitate albului rece", "warm_white_brightness": "Luminozitate albului cald", - "effect": "Efect", + "effect": "Effect", "lock": "Lock", "unlock": "Unlock", "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Răsfoiește media", @@ -139,7 +139,7 @@ "option": "Option", "installing": "Se instalează", "installing_progress": "Se instalează ({progress}%)", - "up_to_date": "La zi", + "up_to_date": "Up-to-date", "empty_value": "(valoare goală)", "start": "Start", "finish": "Finish", @@ -186,6 +186,7 @@ "loading": "Se încarcă…", "refresh": "Reîmprospătare", "delete": "Delete", + "delete_all": "Delete all", "download": "Descărcare", "duplicate": "Duplică", "remove": "Remove", @@ -206,8 +207,8 @@ "rename": "Redenumește", "search": "Search", "ok": "OK", - "yes": "Da", - "no": "Nu", + "yes": "Yes", + "no": "No", "not_now": "Nu acum", "skip": "Sari peste", "menu": "Meniu", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Încărcare eșuată", "unknown_file": "Fișier necunoscut", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Rază", @@ -241,6 +245,7 @@ "date_and_time": "Data și ora", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Număr", @@ -279,6 +284,7 @@ "was_opened": "s-a deschis", "was_closed": "s-a închis", "is_opening": "se deschide", + "is_opened": "is opened", "is_closing": "se închide", "was_unlocked": "s-a descuiat", "was_locked": "s-a încuiat", @@ -328,10 +334,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Agent de conversație", "none": "Niciuna", "country": "Țară", @@ -341,7 +350,7 @@ "no_theme": "Nicio temă", "language": "Language", "no_languages_available": "Nu este disponibilă nicio limbă", - "text_to_speech": "Transformă text în voce (TTS)", + "text_to_speech": "Text to speech", "voice": "Voce", "no_user": "Niciun utilizator", "add_user": "Adaugă utilizator", @@ -381,7 +390,6 @@ "ui_components_area_picker_add_dialog_text": "Introdu numele noului spațiu.", "ui_components_area_picker_add_dialog_title": "Adaugă o zonă nouă", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -446,7 +454,7 @@ "dark_grey": "Gri închis", "blue_grey": "Blue grey", "black": "Black", - "white": "Alb", + "white": "White", "start_date": "Start date", "end_date": "End date", "select_time_period": "Selectează perioada de timp", @@ -459,6 +467,9 @@ "last_month": "Luna trecută", "this_year": "Anul curent", "last_year": "Anul trecut", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Niciodată", "history_integration_disabled": "Istoricul integrarilor este dezactivat", "loading_state_history": "Se încarcă istoricul statusurilor…", @@ -490,6 +501,10 @@ "filtering_by": "Se filtrează după", "number_hidden": "{number} ascuns(e)", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "genre": "Gen", "male": "Bărbat", @@ -617,7 +632,7 @@ "scripts": "Scripturi", "scene": "Scene", "people": "Persoane", - "zones": "Zone", + "zone": "Zone", "input_booleans": "Intrări boolean", "input_texts": "Intrări text", "input_numbers": "Intrări numerice", @@ -720,7 +735,7 @@ "switch_to_position_mode": "Switch to position mode", "people_in_zone": "Persoane în zonă", "edit_favorite_colors": "Editează culorile preferate", - "color": "Culoare", + "color": "Color", "set_white": "Modifică în alb", "select_effect": "Alege efect", "change_color": "Schimbă culoarea", @@ -824,7 +839,7 @@ "restart_home_assistant": "Repornești Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Reîncărcare rapidă", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reîncărcare configurație", "failed_to_reload_configuration": "Nu a reușit reîncărcarea configurației", "restart_description": "Întrerupe toate automatizările și scripturile în curs de rulare.", @@ -998,7 +1013,6 @@ "notification_toast_no_matching_link_found": "Nu s-a găsit calea My link pentru {path}", "app_configuration": "Configurație aplicație", "sidebar_toggle": "Comutare bară laterală", - "done": "Done", "hide_panel": "Ascunde panou", "show_panel": "Afișare panou", "show_more_information": "Afișează mai multe informații", @@ -1096,9 +1110,11 @@ "view_configuration": "Vezi configurația", "name_view_configuration": "Configurație perspectivă {name}", "add_view": "Adăugă perspectivă", + "background_title": "Add a background to the view", "edit_view": "Modifică perspectiva", "move_view_left": "Mută perspectiva spre stânga", "move_view_right": "Mută perspectiva spre dreapta", + "background": "Background", "badges": "Insigne", "view_type": "Tip perspectivă", "masonry_default": "Masonry (implicit)", @@ -1107,8 +1123,8 @@ "sections_experimental": "Sections (experimental)", "subview": "Sub-perspectivă", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Editare vizuala", - "edit_in_yaml": "Editare ca YAML", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Salvarea a eșuat", "card_configuration": "Configurație card", "type_card_configuration": "Configurare card {type}", @@ -1128,6 +1144,8 @@ "increase_card_position": "Mărește poziția cardului", "more_options": "Mai multe opțiuni", "search_cards": "Căută carduri", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Ce card ai vrea să adaugi la perspectiva {name}?", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Alege o perspectivă", @@ -1141,8 +1159,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "Am creat o sugestie pentru tine", "pick_different_card": "Alege un alt card", "add_to_dashboard": "Adaugă în tablou de bord", @@ -1163,8 +1180,8 @@ "condition_did_not_pass": "Condiția nu a fost îndeplinită", "invalid_configuration": "Configurație nevalidă", "entity_numeric_state": "Stare numerică a entității", - "above": "Peste", - "below": "Sub", + "above": "Above", + "below": "Below", "screen": "Ecran", "screen_sizes": "Dimensiuni ecran", "mobile": "Mobil", @@ -1297,6 +1314,7 @@ "cover_tilt_position": "Înclinația acoperitoarei", "alarm_modes": "Moduri alarmă", "customize_alarm_modes": "Customize alarm modes", + "light_brightness": "Luminozitate", "light_color_temperature": "Temperatura luminii", "lock_commands": "Lock commands", "lock_open_door": "Lock open door", @@ -1355,183 +1373,127 @@ "lime_green": "Verde lime", "ui_panel_lovelace_editor_color_picker_colors_primary": "Primar", "turquoise": "Turcoaz", + "ui_panel_lovelace_editor_color_picker_colors_white": "Alb", "warning_attribute_not_found": "Atributul {attribute} nu este disponibil în: {entity}", "entity_not_available_entity": "Entitate indisponibilă: {entity}", "entity_is_non_numeric_entity": "Entitate non-numerică: {entity}", "warning_entity_unavailable": "Entitate momentan indisponibilă: {entity}", "invalid_timestamp": "Marcaj de timp invalid", "invalid_display_format": "Format de afișare invalid", + "now": "Now", "compare_data": "Compară date", "reload_ui": "Reîncărcă interfața", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Cameră", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grup", - "timer": "Cronometru", - "zone": "Zonă", - "schedule": "Program", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Acoperitoare", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Intrare booleană", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversaţie", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Acoperitoare", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Intrare buton", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Panou de control alarmă", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventilator", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Dispozitiv de urmărire", + "trace": "Trace", + "stream": "Stream", + "person": "Persoană", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Intrare booleană", + "camera": "Cameră", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Intrare dată/oră", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Etichetă (tag)", + "diagnostics": "Diagnosticare", + "siren": "Sirenă", + "fitbit": "Fitbit", + "automation": "Automatizare", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "climate": "Climatizare", + "conversation": "Conversaţie", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Dimensiune fișier", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Date de conectare pentru aplicații", - "local_calendar": "Calendar local", - "trace": "Trace", - "input_number": "Intrare număr", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Intrare text", - "rpi_power_title": "Verificare alimentator Raspberry Pi", - "weather": "Vreme", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grup", + "auth": "Auth", + "thread": "Thread", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Program", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Telecomandă", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Verificare alimentator Raspberry Pi", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Dispozitiv de urmărire", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Vreme", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Telecomandă", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Intrare număr", + "binary_sensor": "Senzor binar", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilator", + "input_select": "Selecție", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Eveniment", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Eveniment", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climatizare", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Contor", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Aplicație mobilă", - "diagnostics": "Diagnosticare", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Persoană", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Etichetă (tag)", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Sirenă", - "input_select": "Selecție", + "deconz": "deCONZ", + "timer": "Cronometru", + "application_credentials": "Date de conectare pentru aplicații", "logger": "Logger", - "assist_pipeline": "Pipeline Assist", - "automation": "Automatizare", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Intrare buton", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Contor", - "binary_sensor": "Senzor binar", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "Versiunea OS Agent", - "apparmor_version": "Versiunea Apparmor", - "cpu_percent": "Procentul CPU", - "disk_free": "Disc liber", - "disk_total": "Capacitate disc", - "disk_used": "Discul utilizat", - "memory_percent": "Procent de memorie", - "version": "Version", - "newest_version": "Cea mai nouă versiune", + "local_calendar": "Calendar local", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Consum total", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Încărcare", - "bytes_sent": "Bytes sent", - "air_quality_index": "Indicele de calitate a aerului", - "illuminance": "Iluminare", - "noise": "Zgomot", - "overload": "Supraîncărcare", - "voltage": "Tensiune", - "estimated_distance": "Distanța estimată", - "vendor": "Furnizor", - "assist_in_progress": "Assist în curs", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferat", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Ultima activitate", - "last_ding": "Ultimul ding", - "last_motion": "Ultima mișcare", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Categoria de semnal Wi-Fi", - "wi_fi_signal_strength": "Puterea semnalului Wi-Fi", - "battery_level": "Battery level", - "size": "Dimensiune", - "size_in_bytes": "Dimensiunea în octeți", - "finished_speaking_detection": "Detecție de terminare a vorbirii", - "aggressive": "Agresivă", - "default": "Implicită", - "relaxed": "Relaxată", - "call_active": "Apel activ", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Semnificativ", "mild": "Moderat", "button_down": "Button down", @@ -1548,23 +1510,58 @@ "not_completed": "Nefinalizat", "pending": "Urmează declanșarea", "checking": "Verificare", - "closed": "Closed", + "closed": "Închis", "closing": "Closing", "failure": "Eșec", "opened": "Deschis", - "device_admin": "Administrator dispozitiv", - "kiosk_mode": "Mod kiosk", - "plugged_in": "Branșat", - "load_start_url": "Încarcă URL-ul de start", - "restart_browser": "Repornește browser-ul", - "restart_device": "Repornește dispozitivul", - "send_to_background": "Trimite în fundal", - "bring_to_foreground": "Adu în prim-plan", - "screen_brightness": "Luminozitate ecran", - "screen_off_timer": "Temporizator oprire ecran", - "screensaver_brightness": "Luminozitatea screensaver-ului", - "screensaver_timer": "Temporizator screensaver", - "current_page": "Pagina curentă", + "battery_level": "Battery level", + "os_agent_version": "Versiunea OS Agent", + "apparmor_version": "Versiunea Apparmor", + "cpu_percent": "Procentul CPU", + "disk_free": "Disc liber", + "disk_total": "Capacitate disc", + "disk_used": "Discul utilizat", + "memory_percent": "Procent de memorie", + "version": "Version", + "newest_version": "Cea mai nouă versiune", + "next_dawn": "Următorii zori", + "next_dusk": "Următorul amurg", + "next_midnight": "Următorul miez de noapte", + "next_noon": "Următoarea amiază", + "next_rising": "Următorul răsărit", + "next_setting": "Următorul apus", + "solar_azimuth": "Azimut solar", + "solar_elevation": "Elevație solară", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Consumul de energie al compresorului", + "compressor_estimated_power_consumption": "Consumul estimat de putere al compresorului", + "compressor_frequency": "Frecvența compresorului", + "cool_energy_consumption": "Consumul de energie pentru răcire", + "energy_consumption": "Consumul de energie", + "heat_energy_consumption": "Consumul de energie pentru încălzire", + "inside_temperature": "Temperatura interioară", + "outside_temperature": "Temperatura exterioară", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Detecție de terminare a vorbirii", + "aggressive": "Agresivă", + "default": "Implicită", + "relaxed": "Relaxată", + "device_admin": "Administrator dispozitiv", + "kiosk_mode": "Mod kiosk", + "plugged_in": "Branșat", + "load_start_url": "Încarcă URL-ul de start", + "restart_browser": "Repornește browser-ul", + "restart_device": "Repornește dispozitivul", + "send_to_background": "Trimite în fundal", + "bring_to_foreground": "Adu în prim-plan", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Luminozitate ecran", + "screen_off_timer": "Temporizator oprire ecran", + "screensaver_brightness": "Luminozitatea screensaver-ului", + "screensaver_timer": "Temporizator screensaver", + "current_page": "Pagina curentă", "foreground_app": "Aplicație de prim-plan", "internal_storage_free_space": "Spațiu liber de stocare internă", "internal_storage_total_space": "Spațiu total de stocare internă", @@ -1575,34 +1572,86 @@ "maintenance_mode": "Modul de întreținere", "motion_detection": "Detectarea mișcării", "screensaver": "Screensaver", - "compressor_energy_consumption": "Consumul de energie al compresorului", - "compressor_estimated_power_consumption": "Consumul estimat de putere al compresorului", - "compressor_frequency": "Frecvența compresorului", - "cool_energy_consumption": "Consumul de energie pentru răcire", - "energy_consumption": "Consumul de energie", - "heat_energy_consumption": "Consumul de energie pentru încălzire", - "inside_temperature": "Temperatura interioară", - "outside_temperature": "Temperatura exterioară", - "next_dawn": "Următorii zori", - "next_dusk": "Următorul amurg", - "next_midnight": "Următorul miez de noapte", - "next_noon": "Următoarea amiază", - "next_rising": "Următorul răsărit", - "next_setting": "Următorul apus", - "solar_azimuth": "Azimut solar", - "solar_elevation": "Elevație solară", - "solar_rising": "Solar rising", - "calibration": "Calibrare", - "auto_lock_paused": "Blocarea automată este întreruptă", - "timeout": "Timeout", - "unclosed_alarm": "Alarmă neînchisă", - "unlocked_alarm": "Alarmă deblocată", - "bluetooth_signal": "Semnal Bluetooth", - "light_level": "Nivel de lumină", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Cu eliberare automată", - "pull_retract": "Trage/Retrage", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Ud", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Consum total", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Puterea semnalului", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Tensiune", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Distanța estimată", + "vendor": "Furnizor", + "air_quality_index": "Indicele de calitate a aerului", + "illuminance": "Iluminare", + "noise": "Zgomot", + "overload": "Supraîncărcare", + "size": "Dimensiune", + "size_in_bytes": "Dimensiunea în octeți", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Încărcare", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detectat", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1612,6 +1661,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1669,23 +1721,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Mai întâi digital", "pan_tilt_first": "Panoramare/înclinare mai întâi", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto și întotdeauna pornit pe timp de noapte", + "stay_off": "Rămâi oprit", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptiv", "auto_adaptive": "Auto adaptativ", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto și întotdeauna pornit pe timp de noapte", - "stay_off": "Rămâi oprit", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1698,6 +1753,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Semnal Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1706,6 +1762,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1713,79 +1770,86 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Dispozitive de urmărire", - "gps_accuracy": "GPS accuracy", + "call_active": "Apel activ", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibrare", + "auto_lock_paused": "Blocarea automată este întreruptă", + "timeout": "Timeout", + "unclosed_alarm": "Alarmă neînchisă", + "unlocked_alarm": "Alarmă deblocată", + "bluetooth_signal": "Semnal Bluetooth", + "light_level": "Nivel de lumină", + "momentary": "Cu eliberare automată", + "pull_retract": "Trage/Retrage", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Ultima activitate", + "last_ding": "Ultimul ding", + "last_motion": "Ultima mișcare", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Categoria de semnal Wi-Fi", + "wi_fi_signal_strength": "Puterea semnalului Wi-Fi", + "box": "Căsuță", + "step": "Pas", + "apparent_power": "Putere aparentă", + "atmospheric_pressure": "Presiune atmosferică", + "carbon_dioxide": "Dioxid de carbon", + "data_rate": "Viteză de transfer", + "distance": "Distanță", + "stored_energy": "Energie stocată", + "frequency": "Frecvență", + "irradiance": "Emitanță", + "nitrogen_dioxide": "Dioxid de azot", + "nitrogen_monoxide": "Monoxid de azot", + "nitrous_oxide": "Protoxid de azot", + "ozone": "Ozon", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Factor de putere", + "precipitation_intensity": "Intensitatea precipitațiilor", + "pressure": "Presiune", + "reactive_power": "Putere reactivă", + "sound_pressure": "Presiune acustică", + "speed": "Speed", + "sulphur_dioxide": "Dioxid de sulf", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Volum stocat", + "weight": "Greutate", + "available_tones": "Tonuri disponibile", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Gestionat prin interfața grafică", + "next_event": "Următorul eveniment", + "stopped": "Stopped", "running_automations": "Rulare automatizări", - "max_running_scripts": "Numărul maxim de scripturi care rulează", + "id": "ID", + "max_running_automations": "Numărul maxim de automatizări care rulează", "run_mode": "Mod de rulare", "parallel": "Paralel", "queued": "Coadă", "single": "Singur", - "end_time": "End time", - "start_time": "Start time", - "recording": "Înregistrează", - "streaming": "În curs de redare", - "access_token": "Token de acces", - "brand": "Brand", - "stream_type": "Tip de flux", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Ruter", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Încălzire auxiliară", - "current_humidity": "Umiditate curentă", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Difuzie", - "middle": "Mijlociu", - "top": "Deasupra", - "current_action": "Acțiunea curentă", - "cooling": "Răcire", - "drying": "Dezumidificare", - "preheating": "Preîncălzire", - "max_target_humidity": "Umiditate țintă maximă", - "max_target_temperature": "Temperatură țintă maximă", - "min_target_humidity": "Umiditate țintă minimă", - "min_target_temperature": "Temperatură țintă minimă", - "boost": "Impuls", - "comfort": "Confort", - "eco": "Eco", - "sleep": "Somn", - "presets": "Presetări", - "swing_mode": "Swing mode", - "both": "Ambele", - "horizontal": "Orizontal", - "upper_target_temperature": "Temperatura țintă superioară", - "lower_target_temperature": "Temperatură țintă inferioară", - "target_temperature_step": "Pasul temperaturii țintă", - "buffering": "Citește date în avans", + "not_charging": "Nu se încarcă", + "disconnected": "Deconectat", + "connected": "Conectat", + "hot": "Fierbinte", + "no_light": "Întuneric", + "light_detected": "Lumină detectată", + "locked": "Încuiat", + "unlocked": "Descuiat", + "not_moving": "Static", + "unplugged": "Debranșat", + "not_running": "Nu rulează", + "safe": "Sigur", + "unsafe": "Nesigur", + "tampering_detected": "Tampering detected", + "buffering": "Citește date în avans", "paused": "În pauză", "playing": "Redare", "standby": "În așteptare", @@ -1806,73 +1870,11 @@ "receiver": "Receptor", "speaker": "Difuzor", "tv": "Televizor", - "color_mode": "Color Mode", - "brightness_only": "Numai luminozitate", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Temperatură de culoare (mired)", - "color_temperature_kelvin": "Temperatură de culoare (Kelvin)", - "available_effects": "Efecte disponibile", - "maximum_color_temperature_kelvin": "Temperatură de culoare maximă (Kelvin)", - "maximum_color_temperature_mireds": "Temperatură de culoare maximă (mired)", - "minimum_color_temperature_kelvin": "Temperatură de culoare minimă (Kelvin)", - "available_color_modes": "Moduri de culoare disponibile", - "event_type": "Tip eveniment", - "event_types": "Tipuri de evenimente", - "doorbell": "Sonerie", - "available_tones": "Tonuri disponibile", - "locked": "Încuiată", - "unlocked": "Descuiată", - "members": "Membri", - "managed_via_ui": "Gestionat prin interfața grafică", - "id": "ID", - "max_running_automations": "Numărul maxim de automatizări care rulează", - "finishes_at": "Termină la", - "remaining": "Rămas", - "next_event": "Următorul eveniment", - "update_available": "Actualizare disponibilă", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "box": "Căsuță", - "step": "Pas", - "apparent_power": "Putere aparentă", - "atmospheric_pressure": "Presiune atmosferică", - "carbon_dioxide": "Dioxid de carbon", - "data_rate": "Viteză de transfer", - "distance": "Distanță", - "stored_energy": "Energie stocată", - "frequency": "Frecvență", - "irradiance": "Emitanță", - "nitrogen_dioxide": "Dioxid de azot", - "nitrogen_monoxide": "Monoxid de azot", - "nitrous_oxide": "Protoxid de azot", - "ozone": "Ozon", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Factor de putere", - "precipitation_intensity": "Intensitatea precipitațiilor", - "pressure": "Presiune", - "reactive_power": "Putere reactivă", - "signal_strength": "Puterea semnalului", - "sound_pressure": "Presiune acustică", - "speed": "Speed", - "sulphur_dioxide": "Dioxid de sulf", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Volum stocat", - "weight": "Greutate", - "stopped": "Stopped", - "max_length": "Lungime maximă", - "min_length": "Lungime minimă", + "above_horizon": "Deasupra orizontului", + "below_horizon": "Sub orizont", + "oscillating": "Oscillating", + "speed_step": "Treaptă de viteză", + "available_preset_modes": "Moduri presetate disponibile", "armed_away": "Armată (plecat)", "armed_custom_bypass": "Armată (personalizat)", "armed_home": "Armată (acasă)", @@ -1884,15 +1886,71 @@ "code_for_arming": "Cod pentru armare", "not_required": "Nu este necesar", "code_format": "Formatul codului", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Ruter", + "event_type": "Tip eveniment", + "event_types": "Tipuri de evenimente", + "doorbell": "Sonerie", + "device_trackers": "Dispozitive de urmărire", + "max_running_scripts": "Numărul maxim de scripturi care rulează", + "jammed": "Înțepenit", + "locking": "Se încuie", + "unlocking": "Se descuie", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Încălzire auxiliară", + "current_humidity": "Umiditate curentă", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Difuzie", + "middle": "Mijlociu", + "top": "Deasupra", + "current_action": "Acțiunea curentă", + "cooling": "Răcire", + "drying": "Dezumidificare", + "preheating": "Preîncălzire", + "max_target_humidity": "Umiditate țintă maximă", + "max_target_temperature": "Temperatură țintă maximă", + "min_target_humidity": "Umiditate țintă minimă", + "min_target_temperature": "Temperatură țintă minimă", + "boost": "Impuls", + "comfort": "Confort", + "eco": "Eco", + "sleep": "Somn", + "presets": "Presetări", + "swing_mode": "Swing mode", + "both": "Ambele", + "horizontal": "Orizontal", + "upper_target_temperature": "Temperatura țintă superioară", + "lower_target_temperature": "Temperatură țintă inferioară", + "target_temperature_step": "Pasul temperaturii țintă", "last_reset": "Ultima resetare", "possible_states": "Stări posibile", - "state_class": "State class", + "state_class": "Clasa de status", "measurement": "Măsură", "total": "Total", "total_increasing": "Total în creștere", + "conductivity": "Conductivity", "data_size": "Dimensiunea datelor", "balance": "Bilanț", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Numai luminozitate", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Temperatură de culoare (mired)", + "color_temperature_kelvin": "Temperatură de culoare (Kelvin)", + "available_effects": "Efecte disponibile", + "maximum_color_temperature_kelvin": "Temperatură de culoare maximă (Kelvin)", + "maximum_color_temperature_mireds": "Temperatură de culoare maximă (mired)", + "minimum_color_temperature_kelvin": "Temperatură de culoare minimă (Kelvin)", + "available_color_modes": "Moduri de culoare disponibile", "clear_night": "Noapte senină", "cloudy": "Noros", "exceptional": "Excepțional", @@ -1915,61 +1973,79 @@ "uv_index": "Indicele UV", "wind_bearing": "Direcția vântului", "wind_gust_speed": "Viteza rafalelor de vânt", - "above_horizon": "Deasupra orizontului", - "below_horizon": "Sub orizont", - "oscillating": "Oscillating", - "speed_step": "Treaptă de viteză", - "available_preset_modes": "Moduri presetate disponibile", - "jammed": "Înțepenit", - "locking": "Se încuie", - "unlocking": "Se descuie", - "identify": "Identifică", - "not_charging": "Nu se încarcă", - "detected": "Detectat", - "disconnected": "Deconectat", - "connected": "Conectat", - "hot": "Fierbinte", - "no_light": "Întuneric", - "light_detected": "Lumină detectată", - "wet": "Ud", - "not_moving": "Static", - "unplugged": "Debranșat", - "not_running": "Nu rulează", - "safe": "Sigur", - "unsafe": "Nesigur", - "tampering_detected": "Tampering detected", + "recording": "Înregistrează", + "streaming": "În curs de redare", + "access_token": "Token de acces", + "brand": "Brand", + "stream_type": "Tip de flux", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minut", "second": "Secundă", - "location_is_already_configured": "Locația este deja configurată", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Cheie API nevalidă", - "api_key": "Cheie API", + "max_length": "Lungime maximă", + "min_length": "Lungime minimă", + "members": "Membri", + "finishes_at": "Termină la", + "remaining": "Rămas", + "identify": "Identifică", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Dorești să începi configurarea?", + "device_is_already_configured": "Dispozitivul a fost configurat deja", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "A eșuat conectarea", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Autentificare nevalidă", + "unexpected_error": "Eroare neașteptată", + "host": "Host", + "port": "Port", "account_is_already_configured": "Contul a fost configurat deja", "abort_already_in_progress": "Fluxul de configurație este deja în desfășurare", - "failed_to_connect": "A eșuat conectarea", "invalid_access_token": "Token de acces nevalid", "received_invalid_token_data": "Am primit date nevalide despre token.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-autentificarea s-a realizat cu succes", - "timeout_establishing_connection": "A expirat timpul de stabilire a conexiunii", - "unexpected_error": "Eroare neașteptată", "successfully_authenticated": "Autentificare realizată cu succes", - "link_google_account": "Conectează cont Google", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Alege metoda de autentificare", - "authentication_expired_for_name": "Autentificarea a expirat pentru {name}", - "service_is_already_configured": "Service is already configured", - "confirm_description": "Dorești să configurezi {name}?", - "device_is_already_configured": "Dispozitivul a fost configurat deja", - "abort_no_devices_found": "Nu s-au descoperit dispozitive in rețea", - "connection_error_error": "Eroare de conexiune: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Deja configurat. Doar o singură configurare este posibilă.", + "authentication_expired_for_name": "Authentication expired for {name}", + "service_is_already_configured": "Serviciul este deja configurat", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Dorești să configurezi {name}?", + "adapter": "Adaptor", + "multiple_adapters_description": "Selectează un adaptor Bluetooth de configurat", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Cheie API", + "configure_daikin_ac": "Configurează AC Daikin", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1985,6 +2061,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "A expirat timpul de stabilire a conexiunii", + "link_google_account": "Conectează cont Google", + "abort_no_devices_found": "Nu s-au descoperit dispozitive in rețea", + "connection_error_error": "Eroare de conexiune: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Clasa dispozitivului", + "state_template": "Șablon de status", + "template_binary_sensor": "Șablon senzor binar", + "template_sensor": "Șablon de senzor", + "template_a_binary_sensor": "Creează un șablon de senzor binar", + "template_a_sensor": "Creează un șablon de senzor", + "template_helper": "Ajutor de șablon", + "location_is_already_configured": "Locația este deja configurată", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Cheie API nevalidă", + "pin_code": "Cod PIN", + "discovered_android_tv": "Televizor Android descoperit", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", "abort_invalid_host": "Nume gazdă (hostname) sau adresă IP invalidă", "device_not_supported": "Dispozitiv neacceptat", "name_model_at_host": "{name} ({model} la {host})", @@ -1994,30 +2095,6 @@ "yes_do_it": "Da, fă-o.", "unlock_the_device_optional": "Deblocare dispozitiv (opțional)", "connect_to_the_device": "Conectare la dispozitiv", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "Nu s-au găsit servicii la endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Autentificare nevalidă", - "two_factor_code": "Cod de autentificare cu doi factori", - "two_factor_authentication": "Autentificare cu doi factori", - "sign_in_with_ring_account": "Autentificare cu contul Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Birth topic (subiect-naștere) incorect", "error_bad_certificate": "Certificatul CA nu este valid", "invalid_discovery_prefix": "Prefix de descoperire nevalid", @@ -2041,8 +2118,9 @@ "path_is_not_allowed": "Calea nu este permisă", "path_is_not_valid": "Calea nu este validă", "path_to_file": "Calea către fișier", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "A apărut o eroare API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Activează HTTPS", "abort_mdns_missing_mac": "Lipsește adresa MAC din proprietățile MDNS.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2050,10 +2128,34 @@ "service_received": "Serviciu primit", "discovered_esphome_node": "Nod ESPHome descoperit", "encryption_key": "Cheie de criptare", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "Nu s-au găsit servicii la endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Tipul Switchbot neacceptat.", + "authentication_failed_error_detail": "Autentificarea nu a reușit: {error_detail}", + "error_encryption_key_invalid": "ID-ul cheii sau cheia de criptare nu sunt valide", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Cont SwitchBot (recomandat)", + "menu_options_lock_key": "Introducere manuală a cheii de criptare de blocare", + "key_id": "ID-ul cheii", + "password_description": "Password to protect the backup with.", + "device_address": "Adresa dispozitivului", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Cod de autentificare cu doi factori", + "two_factor_authentication": "Autentificare cu doi factori", + "sign_in_with_ring_account": "Autentificare cu contul Ring", + "bridge_is_already_configured": "Bridge deja configurat", + "no_deconz_bridges_discovered": "Nu au fost descoperite bridge-uri deCONZ", + "abort_no_hardware_available": "Nu există hardware radio conectat la deCONZ", + "abort_updated_instance": "Instanță deCONZ actualizată cu noua adresă de gazdă", + "error_linking_not_possible": "Nu s-a putut asocia cu gateway-ul", + "error_no_key": "Nu s-a putut obține o cheie de API", + "link_with_deconz": "Leagă cu deCONZ", + "select_discovered_deconz_gateway": "Selectează gateway-ul deCONZ descoperit", "all_entities": "Toate entitățile", "hide_members": "Ascunde membri", "add_group": "Adaugă grup", - "device_class": "Clasa de dispozitiv", "ignore_non_numeric": "Ignoră valorile non-numerice", "data_round_digits": "Rotunjirea valorii la numărul de zecimale", "type": "Type", @@ -2066,82 +2168,50 @@ "media_player_group": "Grup de media playere", "sensor_group": "Grup de senzori", "switch_group": "Grup de comutatoare", - "name_already_exists": "Numele există deja", - "passive": "Pasiv", - "define_zone_parameters": "Definire parametri zona", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Dispozitivul este mai bine acceptat de o altă integrare", "abort_discovery_error": "A eșuat descoperirea unui serviciu DLNA care se potrivește", "abort_incomplete_config": "Configurația nu conține o variabilă necesară", "manual_description": "URL-ul unui fișier XML cu descrierea dispozitivului", "manual_title": "Conexiune manuală a dispozitivului DLNA DMR", "discovered_dlna_dmr_devices": "Dispozitive DMR DLNA descoperite", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Numele există deja", + "passive": "Pasiv", + "define_zone_parameters": "Definire parametri zona", "calendar_name": "Nume calendar", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adaptor", - "multiple_adapters_description": "Selectează un adaptor Bluetooth de configurat", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configurează AC Daikin", - "pin_code": "Cod PIN", - "discovered_android_tv": "Televizor Android descoperit", - "state_template": "Șablon de status", - "template_binary_sensor": "Șablon senzor binar", - "template_sensor": "Șablon de senzor", - "template_a_binary_sensor": "Creează un șablon de senzor binar", - "template_a_sensor": "Creează un șablon de senzor", - "template_helper": "Ajutor de șablon", - "bridge_is_already_configured": "Bridge deja configurat", - "no_deconz_bridges_discovered": "Nu au fost descoperite bridge-uri deCONZ", - "abort_no_hardware_available": "Nu există hardware radio conectat la deCONZ", - "abort_updated_instance": "Instanță deCONZ actualizată cu noua adresă de gazdă", - "error_linking_not_possible": "Nu s-a putut asocia cu gateway-ul", - "error_no_key": "Nu s-a putut obține o cheie de API", - "link_with_deconz": "Leagă cu deCONZ", - "select_discovered_deconz_gateway": "Selectează gateway-ul deCONZ descoperit", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Tipul Switchbot neacceptat.", - "authentication_failed_error_detail": "Autentificarea nu a reușit: {error_detail}", - "error_encryption_key_invalid": "ID-ul cheii sau cheia de criptare nu sunt valide", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Cont SwitchBot (recomandat)", - "menu_options_lock_key": "Introducere manuală a cheii de criptare de blocare", - "key_id": "ID-ul cheii", - "password_description": "Password to protect the backup with.", - "device_address": "Adresa dispozitivului", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "A apărut o eroare API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Activează HTTPS", - "enable_the_conversation_agent": "Activează agentul de conversație", - "language_code": "Codul limbii", - "select_test_server": "Selectează serverul de test", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "RSSI minim", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Mod scaner Bluetooth", + "passive_scanning": "Scanare pasivă", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2224,6 +2294,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Activează agentul de conversație", + "language_code": "Codul limbii", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "RSSI minim", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Acces Home Assistant la Google Calendar", + "ignore_cec": "Ignoră CEC", + "allowed_uuids": "UUID-uri permise", + "advanced_google_cast_configuration": "Configurare avansată Google Cast", "broker_options": "Opțiuni broker", "enable_birth_message": "Activează mesajul de naștere (birth message)", "birth_message_payload": "Payload mesaj de naștere", @@ -2237,106 +2324,37 @@ "will_message_retain": "Mesajul testament (will message) să fie stocat (retained)", "will_message_topic": "Topic pentru mesajul-testament (will topic)", "mqtt_options": "Opțiuni MQTT", - "ignore_cec": "Ignoră CEC", - "allowed_uuids": "UUID-uri permise", - "advanced_google_cast_configuration": "Configurare avansată Google Cast", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Mod scaner Bluetooth", + "protocol": "Protocol", + "select_test_server": "Selectează serverul de test", + "retry_count": "Numarul de reîncercări", + "allow_deconz_clip_sensors": "Permite senzori deCONZ CLIP", + "allow_deconz_light_groups": "Permiteți grupuri de lumini deCONZ", + "data_allow_new_devices": "Permite adăugarea automată a dispozitivelor noi", + "deconz_devices_description": "Configurează vizibilitatea tipurilor de dispozitive deCONZ", + "deconz_options": "Opțiuni deCONZ", "invalid_url": "URL nevalid", "data_browse_unfiltered": "Afișează conținut media incompatibil la navigare", "event_listener_callback_url": "URL-ul de callback pentru listener-ul de evenimente", "data_listen_port": "Portul listener-ului de evenimente (aleator dacă rămâne necompletat)", "poll_for_device_availability": "Sondează pentru disponibilitatea dispozitivelor", "init_title": "Configurație Digital Media Renderer DLNA", - "passive_scanning": "Scanare pasivă", - "allow_deconz_clip_sensors": "Permite senzori deCONZ CLIP", - "allow_deconz_light_groups": "Permiteți grupuri de lumini deCONZ", - "data_allow_new_devices": "Permite adăugarea automată a dispozitivelor noi", - "deconz_devices_description": "Configurează vizibilitatea tipurilor de dispozitive deCONZ", - "deconz_options": "Opțiuni deCONZ", - "retry_count": "Numarul de reîncercări", - "data_calendar_access": "Acces Home Assistant la Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Comută {entity_name}", - "stop_entity_name": "Oprește {entity_name}", - "turn_on_entity_name": "Pornește {entity_name}", - "entity_name_is_off": "{entity_name} este oprit", - "entity_name_is_on": "{entity_name} este pornit", - "trigger_type_changed_states": "La pornirea sau oprirea {entity_name}", - "entity_name_turned_off": "La oprirea {entity_name}", - "entity_name_turned_on": "La pornirea {entity_name}", - "entity_name_is_home": "{entity_name} este acasă", - "entity_name_is_not_home": "{entity_name} nu este acasă", - "entity_name_enters_a_zone": "La intrarea {entity_name} într-o zonă", - "entity_name_leaves_a_zone": "La ieșirea {entity_name} dintr-o zonă", - "action_type_set_hvac_mode": "Schimbă modul de funcționare al {entity_name}", - "change_preset_on_entity_name": "Schimbă modul presetat al {entity_name}", - "entity_name_measured_humidity_changed": "La schimbarea umidității măsurate de {entity_name}", - "entity_name_measured_temperature_changed": "La schimbarea temperaturii măsurate de {entity_name}", - "entity_name_hvac_mode_changed": "La schimbarea modului de funcționare al {entity_name}", - "entity_name_is_buffering": "{entity_name} citește date in avans (buffering)", - "entity_name_is_idle": "{entity_name} este inactiv", - "entity_name_is_paused": "Când {entity_name} intră în pauză", - "entity_name_is_playing": "{entity_name} redă", - "entity_name_starts_buffering": "Când {entity_name} începe să citească date în avans (buffering)", - "entity_name_becomes_idle": "Când {entity_name} devine inactiv", - "entity_name_starts_playing": "La începerea redării pe {entity_name}", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Primul buton", "second_button": "Al doilea buton", "third_button": "Al treilea buton", "fourth_button": "Al patrulea buton", - "fifth_button": "Al cincilea buton", - "sixth_button": "Al șaselea buton", + "subtype_button_down": "Buton {subtype} apăsat", + "subtype_button_up": "Buton {subtype} eliberat", "subtype_double_clicked": "Dublu click pe \"{subtype}\"", - "subtype_continuously_pressed": "\"{subtype}\" apăsat continuu", - "trigger_type_button_long_release": "La eliberarea după apăsarea prelungă a \"{subtype}\"", - "subtype_quadruple_clicked": "Cvadruplu click pe \"{subtype}\"", - "subtype_quintuple_clicked": "Cvintuplu click pe \"{subtype}\"", - "subtype_pressed": "\"{subtype}\" apăsat", - "subtype_released": "\"{subtype}\" eliberat", - "subtype_triple_clicked": "Triplu click pe \"{subtype}\"", - "decrease_entity_name_brightness": "Scade luminozitatea {entity_name}", - "increase_entity_name_brightness": "Crește luminozitatea {entity_name}", - "flash_entity_name": "Aprinde intermitent {entity_name}", - "action_type_select_first": "Selectează prima opțiune pentru {entity_name}", - "action_type_select_last": "Selectează ultima opțiune pentru {entity_name}", - "action_type_select_next": "Selectează următoarea opțiune pentru {entity_name}", - "change_entity_name_option": "La schimbarea opțiunii {entity_name}", - "action_type_select_previous": "Selectează precedenta opțiune pentru {entity_name}", - "current_entity_name_selected_option": "La schimbarea opțiunii selectate {entity_name}", - "entity_name_option_changed": "La schimbarea selecției {entity_name}", - "entity_name_update_availability_changed": "La schimbarea disponibilității unei actualizări {entity_name}", - "entity_name_became_up_to_date": "{entity_name} a ajuns la zi", - "trigger_type_turned_on": "Când {entity_name} are o actualizare disponibilă", - "subtype_button_down": "Buton {subtype} apăsat", - "subtype_button_up": "Buton {subtype} eliberat", "subtype_double_push": "Dublu clic pe {subtype}", "subtype_long_clicked": "La apăsare lungă pe {subtype}", "subtype_long_push": "Apăsare prelungă pe {subtype}", @@ -2344,14 +2362,17 @@ "subtype_single_clicked": "La click pe {subtype}", "trigger_type_single_long": "La apăsare simplă urmată de apăsare lungă pe {subtype}", "subtype_single_push": "Apăsare simplă pe {subtype}", + "subtype_triple_clicked": "Triplu click pe \"{subtype}\"", "subtype_triple_push": "Apăsare triplă {subtype}", "set_value_for_entity_name": "Setează valoarea pentru {entity_name}", + "value": "Value", "close_entity_name": "Închide {entity_name}", "close_entity_name_tilt": "Apleacă {entity_name}", "open_entity_name": "Deschide {entity_name}", "open_entity_name_tilt": "Ridică {entity_name}", "set_entity_name_position": "Modifică poziția {entity_name}", "set_entity_name_tilt_position": "Modifică înclinația {entity_name}", + "stop_entity_name": "Oprește {entity_name}", "entity_name_is_closed": "{entity_name} este închisă", "entity_name_is_closing": "{entity_name} se închide", "entity_name_is_open": "{entity_name} is open", @@ -2364,7 +2385,115 @@ "entity_name_opening": "La începerea deschiderii {entity_name}", "entity_name_position_changes": "La schimbarea poziției {entity_name}", "entity_name_tilt_position_changes": "La schimbarea înclinației {entity_name}", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "Bateria {entity_name} este descărcată", + "entity_name_is_charging": "{entity_name} se încarcă", + "condition_type_is_co": "{entity_name} detectează monoxid de carbon", + "entity_name_is_cold": "{entity_name} este rece", + "entity_name_is_connected": "{entity_name} este conectat", + "entity_name_is_detecting_gas": "{entity_name} detectează gaz", + "entity_name_is_hot": "{entity_name} este fierbinte", + "entity_name_is_detecting_light": "{entity_name} detectează lumină", + "entity_name_is_locked": "{entity_name} este încuiată", + "entity_name_is_moist": "{entity_name} este umed", + "entity_name_is_detecting_motion": "{entity_name} detectează mișcare", + "entity_name_is_moving": "{entity_name} se mișcă", + "condition_type_is_no_co": "{entity_name} nu detectează monoxid de carbon", + "condition_type_is_no_gas": "{entity_name} nu detectează gaz", + "condition_type_is_no_light": "{entity_name} nu detectează lumină", + "condition_type_is_no_motion": "{entity_name} nu detectează mișcare", + "condition_type_is_no_problem": "{entity_name} nu detectează probleme", + "condition_type_is_no_smoke": "{entity_name} nu detectează fum", + "condition_type_is_no_sound": "{entity_name} nu detectează sunet", + "entity_name_is_up_to_date": "{entity_name} este la zi", + "condition_type_is_no_vibration": "{entity_name} nu detectează vibrații", + "entity_name_battery_is_normal": "Bateria {entity_name} nu este descărcată", + "entity_name_is_not_charging": "{entity_name} nu se încarcă", + "entity_name_is_not_cold": "{entity_name} nu este rece", + "entity_name_is_disconnected": "{entity_name} este deconectat", + "entity_name_is_not_hot": "{entity_name} nu este fierbinte", + "entity_name_is_unlocked": "{entity_name} este descuiată", + "entity_name_is_dry": "{entity_name} este uscat", + "entity_name_is_not_moving": "{entity_name} nu se mișcă", + "entity_name_is_not_occupied": "{entity_name} nu este ocupat", + "entity_name_is_unplugged": "{entity_name} este deconectat de la rețea", + "entity_name_is_not_powered": "{entity_name} nu este sub tensiune", + "entity_name_is_not_present": "{entity_name} nu este prezent", + "entity_name_is_not_running": "{entity_name} nu rulează", + "condition_type_is_not_tampered": "{entity_name} nu detectează efracție", + "entity_name_is_safe": "{entity_name} este în siguranță", + "entity_name_is_occupied": "{entity_name} este ocupat", + "entity_name_is_off": "{entity_name} este oprit", + "entity_name_is_on": "{entity_name} este pornit", + "entity_name_plugged_in": "{entity_name} conectat la rețea", + "entity_name_is_powered": "{entity_name} este sub tensiune", + "entity_name_is_present": "{entity_name} este prezent", + "entity_name_is_detecting_problem": "{entity_name} detectează probleme", + "entity_name_is_running": "{entity_name} rulează", + "entity_name_is_detecting_smoke": "{entity_name} detectează fum", + "entity_name_is_detecting_sound": "{entity_name} detectează sunet", + "entity_name_is_detecting_tampering": "{entity_name} detectează efracție", + "entity_name_is_unsafe": "{entity_name} nu este în siguranță", + "condition_type_is_update": "Există un update pentru {entity_name}", + "entity_name_is_detecting_vibration": "{entity_name} detectează vibrații", + "entity_name_battery_low": "Bateria {entity_name} descărcată", + "entity_name_charging": "La începerea încărcării {entity_name}", + "trigger_type_co": "Când {entity_name} începe să detecteze monoxid de carbon", + "entity_name_became_cold": "{entity_name} a devenit rece", + "entity_name_connected": "{entity_name} s-a conectat", + "entity_name_started_detecting_gas": "Când {entity_name} începe să detecteze gaz", + "entity_name_became_hot": "{entity_name} a devenit fierbinte", + "entity_name_started_detecting_light": "Când {entity_name} începe să detecteze lumină", + "entity_name_locked": "La încuierea {entity_name}", + "entity_name_became_moist": "{entity_name} a devenit umed", + "entity_name_started_detecting_motion": "Când {entity_name} începe să detecteze mișcare", + "entity_name_started_moving": "{entity_name} a început să se miște", + "trigger_type_no_co": "Când {entity_name} nu mai detectează monoxid de carbon", + "entity_name_stopped_detecting_gas": "Când {entity_name} nu mai detectează gaz", + "entity_name_stopped_detecting_light": "Când {entity_name} nu mai detectează lumină", + "entity_name_stopped_detecting_motion": "Când {entity_name} nu mai detectează mișcare", + "entity_name_stopped_detecting_problem": "Când {entity_name} nu mai detectează probleme", + "entity_name_stopped_detecting_smoke": "Când {entity_name} nu mai detectează fum", + "entity_name_stopped_detecting_sound": "Când {entity_name} nu mai detectează sunet", + "entity_name_became_up_to_date": "Când {entity_name} ajunge la zi", + "entity_name_stopped_detecting_vibration": "Când {entity_name} nu mai detectează vibrații", + "entity_name_battery_normal": "Bateria {entity_name} nu mai este descărcată", + "entity_name_not_charging": "{entity_name} nu se mai încarcă", + "entity_name_became_not_cold": "{entity_name} nu mai este rece", + "entity_name_disconnected": "{entity_name} s-a deconectat", + "entity_name_became_not_hot": "{entity_name} nu mai este fierbinte", + "entity_name_unlocked": "La descuierea {entity_name}", + "entity_name_became_dry": "{entity_name} a devenit uscat", + "entity_name_stopped_moving": "{entity_name} nu se mai mișcă", + "entity_name_became_not_occupied": "{entity_name} a devenit neocupat", + "entity_name_unplugged": "{entity_name} deconectat de la rețea", + "entity_name_not_powered": "{entity_name} nu mai este alimentat", + "entity_name_not_present": "{entity_name} nu mai este prezent", + "trigger_type_not_running": "Când {entity_name} nu mai rulează", + "entity_name_stopped_detecting_tampering": "Când nu se mai detectează efracție la {entity_name}", + "entity_name_became_safe": "{entity_name} a devenit sigur", + "entity_name_became_occupied": "{entity_name} a devenit ocupat", + "entity_name_powered": "{entity_name} alimentat", + "entity_name_present": "{entity_name} prezent", + "entity_name_started_detecting_problem": "Când {entity_name} începe să detecteze probleme", + "entity_name_started_running": "Când {entity_name} începe să ruleze", + "entity_name_started_detecting_smoke": "Când {entity_name} începe să detecteze fum", + "entity_name_started_detecting_sound": "Când {entity_name} începe să detecteze sunet", + "entity_name_started_detecting_tampering": "Când s-a detectat efracție la {entity_name}", + "entity_name_turned_off": "La oprirea {entity_name}", + "entity_name_turned_on": "La pornirea {entity_name}", + "entity_name_became_unsafe": "{entity_name} a devenit nesigur", + "trigger_type_update": "A apărut un update pentru {entity_name}", + "entity_name_started_detecting_vibration": "Când {entity_name} începe să detecteze vibrații", + "entity_name_is_buffering": "{entity_name} citește date in avans (buffering)", + "entity_name_is_idle": "{entity_name} este inactiv", + "entity_name_is_paused": "Când {entity_name} intră în pauză", + "entity_name_is_playing": "{entity_name} redă", + "entity_name_starts_buffering": "Când {entity_name} începe să citească date în avans (buffering)", + "trigger_type_changed_states": "La pornirea sau oprirea {entity_name}", + "entity_name_becomes_idle": "Când {entity_name} devine inactiv", + "entity_name_starts_playing": "La începerea redării pe {entity_name}", + "toggle_entity_name": "Comută {entity_name}", + "turn_on_entity_name": "Pornește {entity_name}", "arm_entity_name_away": "Armează {entity_name} (plecat)", "arm_entity_name_home": "Armează {entity_name} (acasă)", "arm_entity_name_night": "Armează {entity_name} (noapte)", @@ -2383,12 +2512,26 @@ "entity_name_armed_vacation": "La armarea {entity_name} (vacanță)", "entity_name_disarmed": "La dezarmarea {entity_name}", "entity_name_triggered": "La declanșarea {entity_name}", + "entity_name_is_home": "{entity_name} este acasă", + "entity_name_is_not_home": "{entity_name} nu este acasă", + "entity_name_enters_a_zone": "La intrarea {entity_name} într-o zonă", + "entity_name_leaves_a_zone": "La ieșirea {entity_name} dintr-o zonă", + "lock_entity_name": "Încuie {entity_name}", + "unlock_entity_name": "Descuie {entity_name}", + "action_type_set_hvac_mode": "Schimbă modul de funcționare al {entity_name}", + "change_preset_on_entity_name": "Schimbă modul presetat al {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "La schimbarea umidității măsurate de {entity_name}", + "entity_name_measured_temperature_changed": "La schimbarea temperaturii măsurate de {entity_name}", + "entity_name_hvac_mode_changed": "La schimbarea modului de funcționare al {entity_name}", "current_entity_name_apparent_power": "Puterea aparentă curentă a {entity_name}", "condition_type_is_aqi": "Indicele curent al calității aerului indicat de {entity_name}", "current_entity_name_atmospheric_pressure": "Presiunea atmosferică curentă {entity_name}", "current_entity_name_battery_level": "Nivelul curent al bateriei {entity_name}", "condition_type_is_carbon_dioxide": "Concentrația curentă de dioxid de carbon indicată de {entity_name}", "condition_type_is_carbon_monoxide": "Concentrația curentă de monoxid de carbon indicată de {entity_name}", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Curentul prin {entity_name}", "current_entity_name_data_rate": "Viteza de transfer curentă {entity_name}", "current_entity_name_data_size": "Dimensiunea curentă a datelor {entity_name}", @@ -2433,6 +2576,7 @@ "entity_name_battery_level_changes": "La schimbarea nivelului bateriei {entity_name}", "trigger_type_carbon_dioxide": "La schimbarea concentrației de dioxid de carbon indicată de {entity_name}", "trigger_type_carbon_monoxide": "La schimbarea concentrației de monoxid de carbon indicată de {entity_name}", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "La schimbarea curentului prin {entity_name}", "entity_name_data_rate_changes": "La schimbarea vitezei de transfer {entity_name}", "entity_name_data_size_changes": "La schimbarea dimensiunii datelor {entity_name}", @@ -2471,137 +2615,71 @@ "entity_name_water_changes": "La schimbarea consumului de apă indicat de {entity_name}", "entity_name_weight_changes": "La schimbarea greutății {entity_name}", "entity_name_wind_speed_changes": "La schimbarea vitezei vântului {entity_name}", + "decrease_entity_name_brightness": "Scade luminozitatea {entity_name}", + "increase_entity_name_brightness": "Crește luminozitatea {entity_name}", + "flash_entity_name": "Aprinde intermitent {entity_name}", + "flash": "Flash", + "fifth_button": "Al cincilea buton", + "sixth_button": "Al șaselea buton", + "subtype_continuously_pressed": "\"{subtype}\" apăsat continuu", + "trigger_type_button_long_release": "La eliberarea după apăsarea prelungă a \"{subtype}\"", + "subtype_quadruple_clicked": "Cvadruplu click pe \"{subtype}\"", + "subtype_quintuple_clicked": "Cvintuplu click pe \"{subtype}\"", + "subtype_pressed": "\"{subtype}\" apăsat", + "subtype_released": "\"{subtype}\" eliberat", + "action_type_select_first": "Selectează prima opțiune pentru {entity_name}", + "action_type_select_last": "Selectează ultima opțiune pentru {entity_name}", + "action_type_select_next": "Selectează următoarea opțiune pentru {entity_name}", + "change_entity_name_option": "La schimbarea opțiunii {entity_name}", + "action_type_select_previous": "Selectează precedenta opțiune pentru {entity_name}", + "current_entity_name_selected_option": "La schimbarea opțiunii selectate {entity_name}", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "La schimbarea selecției {entity_name}", + "send_a_notification": "Send a notification", + "both_buttons": "Ambele butoane", + "bottom_buttons": "Butoanele de jos", + "seventh_button": "Al șaptelea buton", + "eighth_button": "Al optulea buton", + "dim_down": "Întunecă", + "dim_up": "Luminează", + "left": "Stânga", + "right": "Dreapta", + "side": "Fața 6", + "top_buttons": "Butoanele de sus", + "device_awakened": "Dispozitiv trezit", + "trigger_type_remote_button_long_release": "\"{subtype}\" eliberat după apăsare prelungă", + "button_rotated_subtype": "Buton rotit \"{subtype}\"", + "button_rotated_fast_subtype": "Buton rotit rapid \"{subtype}\"", + "button_rotation_subtype_stopped": "Rotirea butonului \"{subtype}\" a încetat", + "device_subtype_double_tapped": "La dublu tap pe \"{subtype}\"", + "trigger_type_remote_double_tap_any_side": "La dublu tap pe orice față a dispozitivului", + "device_in_free_fall": "Dispozitiv în cădere liberă", + "device_flipped_degrees": "La răsturnarea cu 90 de grade a dispozitivului", + "device_shaken": "Dispozitiv scuturat", + "trigger_type_remote_moved": "Dispozitiv mutat cu \"{subtype}\" în sus", + "trigger_type_remote_moved_any_side": "La mișcarea dispozitivului cu orice față în sus", + "trigger_type_remote_rotate_from_side": "Dispozitiv rotit de la \"fața 6\" la \"{subtype}\"", + "device_turned_clockwise": "La rotirea în sens orar a dispozitivului", + "device_turned_counter_clockwise": "La rotirea în sens trigonometric (invers orar) a dispozitivului", "press_entity_name_button": "Apasă butonul {entity_name}", "entity_name_has_been_pressed": "La apăsarea {entity_name}", - "entity_name_battery_is_low": "Bateria {entity_name} este descărcată", - "entity_name_is_charging": "{entity_name} se încarcă", - "condition_type_is_co": "{entity_name} detectează monoxid de carbon", - "entity_name_is_cold": "{entity_name} este rece", - "entity_name_is_connected": "{entity_name} este conectat", - "entity_name_is_detecting_gas": "{entity_name} detectează gaz", - "entity_name_is_hot": "{entity_name} este fierbinte", - "entity_name_is_detecting_light": "{entity_name} detectează lumină", - "entity_name_is_locked": "{entity_name} este încuiată", - "entity_name_is_moist": "{entity_name} este umed", - "entity_name_is_detecting_motion": "{entity_name} detectează mișcare", - "entity_name_is_moving": "{entity_name} se mișcă", - "condition_type_is_no_co": "{entity_name} nu detectează monoxid de carbon", - "condition_type_is_no_gas": "{entity_name} nu detectează gaz", - "condition_type_is_no_light": "{entity_name} nu detectează lumină", - "condition_type_is_no_motion": "{entity_name} nu detectează mișcare", - "condition_type_is_no_problem": "{entity_name} nu detectează probleme", - "condition_type_is_no_smoke": "{entity_name} nu detectează fum", - "condition_type_is_no_sound": "{entity_name} nu detectează sunet", - "entity_name_is_up_to_date": "{entity_name} este la zi", - "condition_type_is_no_vibration": "{entity_name} nu detectează vibrații", - "entity_name_battery_is_normal": "Bateria {entity_name} nu este descărcată", - "entity_name_is_not_charging": "{entity_name} nu se încarcă", - "entity_name_is_not_cold": "{entity_name} nu este rece", - "entity_name_is_disconnected": "{entity_name} este deconectat", - "entity_name_is_not_hot": "{entity_name} nu este fierbinte", - "entity_name_is_unlocked": "{entity_name} este descuiată", - "entity_name_is_dry": "{entity_name} este uscat", - "entity_name_is_not_moving": "{entity_name} nu se mișcă", - "entity_name_is_not_occupied": "{entity_name} nu este ocupat", - "entity_name_is_unplugged": "{entity_name} este deconectat de la rețea", - "entity_name_is_not_powered": "{entity_name} nu este sub tensiune", - "entity_name_is_not_present": "{entity_name} nu este prezent", - "entity_name_is_not_running": "{entity_name} nu rulează", - "condition_type_is_not_tampered": "{entity_name} nu detectează efracție", - "entity_name_is_safe": "{entity_name} este în siguranță", - "entity_name_is_occupied": "{entity_name} este ocupat", - "entity_name_plugged_in": "{entity_name} conectat la rețea", - "entity_name_is_powered": "{entity_name} este sub tensiune", - "entity_name_is_present": "{entity_name} este prezent", - "entity_name_is_detecting_problem": "{entity_name} detectează probleme", - "entity_name_is_running": "{entity_name} rulează", - "entity_name_is_detecting_smoke": "{entity_name} detectează fum", - "entity_name_is_detecting_sound": "{entity_name} detectează sunet", - "entity_name_is_detecting_tampering": "{entity_name} detectează efracție", - "entity_name_is_unsafe": "{entity_name} nu este în siguranță", - "condition_type_is_update": "Există un update pentru {entity_name}", - "entity_name_is_detecting_vibration": "{entity_name} detectează vibrații", - "entity_name_battery_low": "Bateria {entity_name} descărcată", - "entity_name_charging": "La începerea încărcării {entity_name}", - "trigger_type_co": "Când {entity_name} începe să detecteze monoxid de carbon", - "entity_name_became_cold": "{entity_name} a devenit rece", - "entity_name_connected": "{entity_name} s-a conectat", - "entity_name_started_detecting_gas": "Când {entity_name} începe să detecteze gaz", - "entity_name_became_hot": "{entity_name} a devenit fierbinte", - "entity_name_started_detecting_light": "Când {entity_name} începe să detecteze lumină", - "entity_name_locked": "La încuierea {entity_name}", - "entity_name_became_moist": "{entity_name} a devenit umed", - "entity_name_started_detecting_motion": "Când {entity_name} începe să detecteze mișcare", - "entity_name_started_moving": "{entity_name} a început să se miște", - "trigger_type_no_co": "Când {entity_name} nu mai detectează monoxid de carbon", - "entity_name_stopped_detecting_gas": "Când {entity_name} nu mai detectează gaz", - "entity_name_stopped_detecting_light": "Când {entity_name} nu mai detectează lumină", - "entity_name_stopped_detecting_motion": "Când {entity_name} nu mai detectează mișcare", - "entity_name_stopped_detecting_problem": "Când {entity_name} nu mai detectează probleme", - "entity_name_stopped_detecting_smoke": "Când {entity_name} nu mai detectează fum", - "entity_name_stopped_detecting_sound": "Când {entity_name} nu mai detectează sunet", - "entity_name_stopped_detecting_vibration": "Când {entity_name} nu mai detectează vibrații", - "entity_name_battery_normal": "Bateria {entity_name} nu mai este descărcată", - "entity_name_not_charging": "{entity_name} nu se mai încarcă", - "entity_name_became_not_cold": "{entity_name} nu mai este rece", - "entity_name_disconnected": "{entity_name} s-a deconectat", - "entity_name_became_not_hot": "{entity_name} nu mai este fierbinte", - "entity_name_unlocked": "La descuierea {entity_name}", - "entity_name_became_dry": "{entity_name} a devenit uscat", - "entity_name_stopped_moving": "{entity_name} nu se mai mișcă", - "entity_name_became_not_occupied": "{entity_name} a devenit neocupat", - "entity_name_unplugged": "{entity_name} deconectat de la rețea", - "entity_name_not_powered": "{entity_name} nu mai este alimentat", - "entity_name_not_present": "{entity_name} nu mai este prezent", - "trigger_type_not_running": "Când {entity_name} nu mai rulează", - "entity_name_stopped_detecting_tampering": "Când nu se mai detectează efracție la {entity_name}", - "entity_name_became_safe": "{entity_name} a devenit sigur", - "entity_name_became_occupied": "{entity_name} a devenit ocupat", - "entity_name_powered": "{entity_name} alimentat", - "entity_name_present": "{entity_name} prezent", - "entity_name_started_detecting_problem": "Când {entity_name} începe să detecteze probleme", - "entity_name_started_running": "Când {entity_name} începe să ruleze", - "entity_name_started_detecting_smoke": "Când {entity_name} începe să detecteze fum", - "entity_name_started_detecting_sound": "Când {entity_name} începe să detecteze sunet", - "entity_name_started_detecting_tampering": "Când s-a detectat efracție la {entity_name}", - "entity_name_became_unsafe": "{entity_name} a devenit nesigur", - "trigger_type_update": "A apărut un update pentru {entity_name}", - "entity_name_started_detecting_vibration": "Când {entity_name} începe să detecteze vibrații", - "both_buttons": "Ambele butoane", - "bottom_buttons": "Butoanele de jos", - "seventh_button": "Al șaptelea buton", - "eighth_button": "Al optulea buton", - "dim_down": "Întunecă", - "dim_up": "Luminează", - "left": "Stânga", - "right": "Dreapta", - "side": "Fața 6", - "top_buttons": "Butoanele de sus", - "device_awakened": "Dispozitiv trezit", - "trigger_type_remote_button_long_release": "\"{subtype}\" eliberat după apăsare prelungă", - "button_rotated_subtype": "Buton rotit \"{subtype}\"", - "button_rotated_fast_subtype": "Buton rotit rapid \"{subtype}\"", - "button_rotation_subtype_stopped": "Rotirea butonului \"{subtype}\" a încetat", - "device_subtype_double_tapped": "La dublu tap pe \"{subtype}\"", - "trigger_type_remote_double_tap_any_side": "La dublu tap pe orice față a dispozitivului", - "device_in_free_fall": "Dispozitiv în cădere liberă", - "device_flipped_degrees": "La răsturnarea cu 90 de grade a dispozitivului", - "device_shaken": "Dispozitiv scuturat", - "trigger_type_remote_moved": "Dispozitiv mutat cu \"{subtype}\" în sus", - "trigger_type_remote_moved_any_side": "La mișcarea dispozitivului cu orice față în sus", - "trigger_type_remote_rotate_from_side": "Dispozitiv rotit de la \"fața 6\" la \"{subtype}\"", - "device_turned_clockwise": "La rotirea în sens orar a dispozitivului", - "device_turned_counter_clockwise": "La rotirea în sens trigonometric (invers orar) a dispozitivului", - "lock_entity_name": "Încuie {entity_name}", - "unlock_entity_name": "Descuie {entity_name}", - "critical": "Critical", - "debug": "Debug", - "warning": "Warning", + "entity_name_update_availability_changed": "La schimbarea disponibilității unei actualizări {entity_name}", + "trigger_type_turned_on": "Când {entity_name} are o actualizare disponibilă", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "warning": "Warning", + "most_recently_updated": "Cel mai recent actualizat", + "arithmetic_mean": "Media aritmetică", + "median": "Mediana", + "product": "Produs", + "statistical_range": "Intervalul statistic", + "standard_deviation": "Standard deviation", "alice_blue": "Bleu Alice", "antique_white": "Alb antic", "aqua": "Aqua", @@ -2722,16 +2800,111 @@ "wheat": "Grâu", "white_smoke": "Fum alb", "yellow_green": "Galben-verde", + "fatal": "Fatal", "no_device_class": "Fără clasă de dispozitiv", "no_state_class": "Fără clasă de stare", "no_unit_of_measurement": "Nicio unitate de măsură", - "fatal": "Fatal", - "most_recently_updated": "Cel mai recent actualizat", - "arithmetic_mean": "Media aritmetică", - "median": "Mediana", - "product": "Produs", - "statistical_range": "Intervalul statistic", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2766,176 +2939,6 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Tranziție", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", - "apply_description": "Activates a scene with configuration.", - "entities_description": "List of entities and their target state.", - "entities_state": "Entities state", - "apply": "Apply", - "creates_a_new_scene": "Creates a new scene.", - "scene_id_description": "The entity ID of the new scene.", - "scene_entity_id": "Scene entity ID", - "snapshot_entities": "Snapshot entities", - "delete_description": "Deletes a dynamically created scene.", - "activates_a_scene": "Activates a scene.", - "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", - "aux_heat_description": "New value of auxiliary heater.", - "auxiliary_heating": "Auxiliary heating", - "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater", - "sets_fan_operation_mode": "Sets fan operation mode.", - "fan_operation_mode": "Fan operation mode.", - "set_fan_mode": "Set fan mode", - "sets_target_humidity": "Sets target humidity.", - "set_target_humidity": "Set target humidity", - "sets_hvac_operation_mode": "Sets HVAC operation mode.", - "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", - "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", - "sets_swing_operation_mode": "Sets swing operation mode.", - "swing_operation_mode": "Swing operation mode.", - "set_swing_mode": "Set swing mode", - "sets_target_temperature": "Sets target temperature.", - "high_target_temperature": "High target temperature.", - "target_temperature_high": "Target temperature high", - "low_target_temperature": "Low target temperature.", - "target_temperature_low": "Target temperature low", - "set_target_temperature": "Set target temperature", - "turns_climate_device_off": "Turns climate device off.", - "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", "clears_the_playlist": "Clears the playlist.", "clear_playlist": "Clear playlist", "selects_the_next_track": "Selects the next track.", @@ -2953,7 +2956,6 @@ "select_sound_mode": "Select sound mode", "select_source": "Select source", "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", "unjoin": "Unjoin", "turns_down_the_volume": "Turns down the volume.", "turn_down_volume": "Turn down volume", @@ -2964,156 +2966,6 @@ "set_volume": "Set volume", "turns_up_the_volume": "Turns up the volume.", "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", - "brightness_value": "Valoarea luminozității", - "a_human_readable_color_name": "A human-readable color name.", - "color_name": "Nume culoare", - "color_temperature_in_mireds": "Temperatura de culoare în mireds.", - "light_effect": "Efect de lumină.", - "flash": "Bliț", - "hue_sat_color": "Culoare nuanță/saturație", - "color_temperature_in_kelvin": "Temperatura de culoare în Kelvin.", - "profile_description": "Numele unui profil luminos de utilizat.", - "white_description": "Setează lumina în modul alb.", - "xy_color": "Culoare XY", - "turn_off_description": "Stinge una sau mai multe lumini.", - "brightness_step_description": "Modifică luminozitatea cu o anumită valoare.", - "brightness_step_value": "Valoarea pasului de luminozitate", - "brightness_step_pct_description": "Modifică luminozitatea cu un procent.", - "brightness_step": "Pasul de luminozitate", - "rgbw_color": "Culoare RGBW", - "rgbww_color": "Culoare RGBWW", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", - "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", "apply_filter": "Apply filter", "days_to_keep": "Days to keep", "repack": "Repack", @@ -3122,35 +2974,6 @@ "entity_globs_to_remove": "Entity globs to remove", "entities_to_remove": "Entities to remove", "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", - "reload_themes_description": "Reloads themes from the YAML-configuration.", - "reload_themes": "Reload themes", - "name_of_a_theme": "Name of a theme.", - "set_the_default_theme": "Set the default theme", - "decrements_a_counter": "Decrements a counter.", - "increments_a_counter": "Increments a counter.", - "resets_a_counter": "Resets a counter.", - "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", - "get_weather_forecast": "Get weather forecast.", - "type_description": "Forecast type: daily, hourly or twice daily.", - "forecast_type": "Forecast type", - "get_forecast": "Get forecast", - "get_weather_forecasts": "Get weather forecasts.", - "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", "decrease_speed_description": "Decreases the speed of the fan.", "percentage_step_description": "Increases the speed by a percentage step.", "decrease_speed": "Decrease speed", @@ -3165,38 +2988,282 @@ "speed_of_the_fan": "Speed of the fan.", "percentage": "Percentage", "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", "toggles_the_fan_on_off": "Toggles the fan on/off.", "turns_fan_off": "Turns fan off.", "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", - "bridge_identifier": "Bridge identifier", - "configuration_payload": "Configuration payload", - "entity_description": "Represents a specific device endpoint in deCONZ.", - "path": "Path", - "configure": "Configure", - "device_refresh_description": "Refreshes available devices from deCONZ.", - "device_refresh": "Device refresh", - "remove_orphaned_entries": "Remove orphaned entries", + "apply_description": "Activates a scene with configuration.", + "entities_description": "List of entities and their target state.", + "entities_state": "Entities state", + "transition": "Transition", + "apply": "Apply", + "creates_a_new_scene": "Creates a new scene.", + "scene_id_description": "The entity ID of the new scene.", + "scene_entity_id": "Scene entity ID", + "snapshot_entities": "Snapshot entities", + "delete_description": "Deletes a dynamically created scene.", + "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", "closes_a_valve": "Closes a valve.", "opens_a_valve": "Opens a valve.", "set_valve_position_description": "Moves a valve to a specific position.", "stops_the_valve_movement": "Stops the valve movement.", "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", + "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", + "aux_heat_description": "New value of auxiliary heater.", + "auxiliary_heating": "Auxiliary heating", + "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater", + "sets_fan_operation_mode": "Sets fan operation mode.", + "fan_operation_mode": "Fan operation mode.", + "set_fan_mode": "Set fan mode", + "sets_target_humidity": "Sets target humidity.", + "set_target_humidity": "Set target humidity", + "sets_hvac_operation_mode": "Sets HVAC operation mode.", + "hvac_operation_mode": "HVAC operation mode.", + "set_hvac_mode": "Set HVAC mode", + "sets_swing_operation_mode": "Sets swing operation mode.", + "swing_operation_mode": "Swing operation mode.", + "set_swing_mode": "Set swing mode", + "sets_target_temperature": "Sets target temperature.", + "high_target_temperature": "High target temperature.", + "target_temperature_high": "Target temperature high", + "low_target_temperature": "Low target temperature.", + "target_temperature_low": "Target temperature low", + "set_target_temperature": "Set target temperature", + "turns_climate_device_off": "Turns climate device off.", + "turns_climate_device_on": "Turns climate device on.", "add_event_description": "Adds a new calendar event.", "calendar_id_description": "The id of the calendar you want.", "calendar_id": "Calendar ID", "description_description": "The description of the event. Optional.", "summary_description": "Acts as the title of the event.", "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Stinge una sau mai multe lumini.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", + "selects_the_next_option": "Selects the next option.", "ptz_move_description": "Move the camera with a specific speed.", "ptz_move_speed": "PTZ move speed.", "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", + "reload_themes_description": "Reloads themes from the YAML-configuration.", + "reload_themes": "Reload themes", + "name_of_a_theme": "Name of a theme.", + "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", + "decrements_a_counter": "Decrements a counter.", + "increments_a_counter": "Increments a counter.", + "resets_a_counter": "Resets a counter.", + "sets_the_counter_value": "Sets the counter value.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", + "get_weather_forecast": "Get weather forecast.", + "type_description": "Forecast type: daily, hourly or twice daily.", + "forecast_type": "Forecast type", + "get_forecast": "Get forecast", + "get_weather_forecasts": "Get weather forecasts.", + "get_forecasts": "Get forecasts", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", "set_datetime_description": "Sets the date and/or time.", "the_target_date": "The target date.", "datetime_description": "The target date & time.", "date_time": "Date & time", - "the_target_time": "The target time." + "the_target_time": "The target time.", + "bridge_identifier": "Bridge identifier", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Path", + "configure": "Configure", + "device_refresh_description": "Refreshes available devices from deCONZ.", + "device_refresh": "Device refresh", + "remove_orphaned_entries": "Remove orphaned entries", + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ru/ru.json b/packages/core/src/hooks/useLocale/locales/ru/ru.json index f899127..260cc26 100644 --- a/packages/core/src/hooks/useLocale/locales/ru/ru.json +++ b/packages/core/src/hooks/useLocale/locales/ru/ru.json @@ -1,7 +1,7 @@ { "energy": "Энергия", "calendar": "Календарь", - "settings": "Настройки", + "config": "Настройки", "overview": "Обзор", "map": "Map", "logbook": "Журнал", @@ -67,8 +67,8 @@ "action_to_target": "{action} до целевого значения", "target": "Цель", "humidity_target": "Целевая влажность", - "increment": "Увеличение", - "decrement": "Уменьшение", + "increment": "Увеличить", + "decrement": "Уменьшить", "reset": "Сбросить", "position": "Позиция", "tilt_position": "Положение наклона ламелей", @@ -77,9 +77,8 @@ "open_tilt": "Открыть ламели", "close_tilt": "Закрыть ламели", "stop": "Остановить", - "preset_mode": "Предустановленный режим", "oscillate": "Изменить режим колебаний", - "direction": "Направление", + "direction": "Direction", "forward": "Вперед", "reverse": "Реверс", "medium": "Средний", @@ -93,7 +92,7 @@ "resume_mowing": "Возобновить скашивание", "start_mowing": "Начать скашивание", "return_home": "Вернуть к док-станции", - "brightness": "Яркость", + "brightness": "Brightness", "color_temperature": "Цветовая температура", "white_brightness": "Яркость белого", "color_brightness": "Яркость цвета", @@ -104,7 +103,8 @@ "unlock": "Разблокировать", "open_door": "Open door", "really_open": "Вы уверены?", - "door_open": "Дверь открыта", + "done": "Готово", + "ui_card_lock_open_door_success": "Дверь открыта", "source": "Источник", "sound_mode": "Звуковой режим", "browse_media": "Просмотр мультимедиа", @@ -180,6 +180,7 @@ "loading": "Загрузка…", "refresh": "Обновить", "delete": "Удалить", + "delete_all": "Удалить все", "download": "Загрузка", "duplicate": "Дублировать", "disable": "Деактивировать", @@ -218,6 +219,9 @@ "media_content_type": "Тип мультимедийного контента", "upload_failed": "Не удалась загрузить файл", "unknown_file": "Неизвестный файл", + "select_image": "Выберите изображение", + "upload_picture": "Загрузить изображение", + "image_url": "Локальный путь или веб-URL", "latitude": "Широта", "longitude": "Долгота", "radius": "Радиус", @@ -231,6 +235,7 @@ "date_time": "Дата и время", "duration": "Продолжительность", "entity": "Entity", + "floor": "Этаж", "icon": "Иконка", "location": "Местоположение", "number": "Число", @@ -261,7 +266,7 @@ "was_detected_away": "не дома", "was_detected_at_state": "{state}", "rose": "восходит", - "set": "Установить значение", + "set": "Определить участников", "was_low": "регистрирует низкий заряд", "was_normal": "регистрирует нормальный заряд", "was_connected": "подключается", @@ -269,8 +274,8 @@ "unlocked": "Открыто", "closed": "Закрыто", "is_opening": "открывается", + "is_opened": "открыт", "is_closing": "закрывается", - "was_unlocked": "открыт", "was_locked": "закрыт", "is_jammed": "заклинивает", "was_detected_at_home": "дома", @@ -314,10 +319,13 @@ "sort_by_sortcolumn": "Сортировка: {sortColumn}", "group_by_groupcolumn": "Группировка: {groupColumn}", "don_t_group": "Не группировать", + "collapse_all": "Свернуть все", + "expand_all": "Развернуть все", "selected_selected": "Выбрано: {selected}", "close_selection_mode": "Закрыть режим выбора", "select_all": "Выбрать все", "select_none": "Сбросить выбор", + "customize_table": "Настроить таблицу", "agent": "Диалоговая система", "country": "Страна", "assistant": "Ассистент", @@ -326,7 +334,7 @@ "no_theme": "Нет темы", "language": "Язык", "no_languages_available": "Доступные языки отсутствуют", - "text_to_speech": "Синтез речи", + "text_to_speech": "Воспроизведение текста", "voice": "Голос", "no_user": "Нет пользователя", "add_user": "Добавить пользователя", @@ -365,7 +373,6 @@ "ui_components_area_picker_add_dialog_text": "Введите название нового пространства.", "ui_components_area_picker_add_dialog_title": "Добавить пространство", "show_floors": "Показать этажи", - "floor": "Этаж", "add_new_floor_name": "Добавить новый этаж ''{name}''", "add_new_floor": "Добавить новый этаж…", "floor_picker_no_floors": "Не найдено ни одного этажа", @@ -436,7 +443,7 @@ "start_date": "Дата начала", "end_date": "Дата окончания", "select_time_period": "Выберите период времени", - "today": "Текущий период", + "today": "Сегодня", "yesterday": "Вчера", "this_week": "Эта неделя", "last_week": "Прошлая неделя", @@ -445,6 +452,9 @@ "last_month": "Прошлый месяц", "this_year": "Этот год", "last_year": "Прошлый год", + "reset_to_default_size": "Сбросить к размеру по умолчанию", + "number_of_columns": "Количество столбцов", + "number_of_rows": "Количество строк", "never": "Никогда", "history_integration_disabled": "Интеграция \"History\" отключена", "loading_state_history": "Загрузка истории…", @@ -474,6 +484,9 @@ "filtering_by": "Отфильтровано по принадлежности к", "number_hidden": "Скрыто: {number}", "ungrouped": "Несгруппированные", + "hide_column_title": "Скрыть столбец {title}", + "show_column_title": "Показать столбец {title}", + "restore_defaults": "Восстановить значения по умолчанию", "message": "Сообщение", "gender": "Пол", "male": "Мужской", @@ -611,7 +624,7 @@ "filter_entities": "Объекты интеграции \"Filter\"", "statistics_entities": "Объекты интеграции \"Statistics\"", "generic_ip_camera_entities": "Объекты интеграции \"Generic IP Camera\"", - "generic_thermostat_entities": "Объекты интеграции \"Generic Thermostat\"", + "generic_thermostat_entities": "Объекты универсального термостата", "homekit": "HomeKit", "min_max_entities": "Объекты интеграции \"Min/Max\"", "history_stats_entities": "Объекты интеграции \"History Stats\"", @@ -697,7 +710,7 @@ "switch_to_position_mode": "Переключиться в режим позиционирования", "people_in_zone": "Люди в зоне", "edit_favorite_colors": "Изменить любимые цвета", - "color": "Цвет в формате RGB", + "color": "Цвет", "set_white": "Установить белый", "select_effect": "Выбрать эффект", "change_color": "Выбор цвета", @@ -798,9 +811,9 @@ "unsupported": "Не поддерживается", "more_info_about_entity": "Дополнительная информация об объекте", "restart_home_assistant": "Перезапустить Home Assistant?", - "advanced_options": "Advanced options", + "advanced_options": "Дополнительные настройки", "quick_reload": "Быстрая перезагрузка", - "reload_description": "Перезагружает YAML-конфигурацию вспомогательных объектов.", + "reload_description": "Перезагружает YAML-конфигурацию зон.", "reloading_configuration": "Перезагрузка конфигурации", "failed_to_reload_configuration": "Не удалось перезагрузить конфигурацию", "restart_description": "Прерывает работу всех запущенных автоматизаций и скриптов.", @@ -818,7 +831,7 @@ "name_aliases": "{name}", "alias": "Альтернативное название", "remove_alias": "Удалить название", - "add_name": "Добавить название", + "add_alias": "Добавить название", "aliases_no_aliases": "Альтернативные названия ещё не добавлены", "ui_dialogs_aliases_input_label": "Альтернативное название {number}", "ui_dialogs_aliases_remove_alias": "Удалить альтернативное название {number}", @@ -833,7 +846,7 @@ "input_field": "Поле ввода", "slider": "Слайдер", "step": "Шаг", - "options": "Варианты", + "options": "Параметры", "add_option": "Добавить вариант", "remove_option": "Удалить вариант", "input_select_no_options": "Добавьте доступные для выбора варианты.", @@ -973,7 +986,6 @@ "notification_toast_no_matching_link_found": "Не найдено подходящих ссылок для {path}", "app_configuration": "Настройки приложения", "sidebar_toggle": "Переключатель в боковой панели", - "done": "Готово", "hide_panel": "Скрыть панель", "show_panel": "Показать панель", "show_more_information": "Показать дополнительную информацию", @@ -1069,9 +1081,11 @@ "view_configuration": "Настройки вкладки", "name_view_configuration": "Настройки вкладки \"{name}\"", "add_view": "Добавить вкладку", + "background_title": "Добавление фона вкладки", "edit_view": "Изменить вкладку", "move_view_left": "Переместить вкладку влево", "move_view_right": "Переместить вкладку вправо", + "background": "Фон", "badges": "Значки", "view_type": "Тип вкладки", "masonry_default": "С автоматической раскладкой (по умолчанию)", @@ -1100,7 +1114,9 @@ "increase_card_position": "Увеличить позицию карты", "more_options": "Больше параметров", "search_cards": "Поиск карточек", + "layout": "Компоновка", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Какую карточку Вы хотели бы добавить на вкладку {name}?", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "Видимость", "move_card_error_title": "Невозможно переместить карточку", "choose_a_view": "Выберите вкладку", "dashboard": "Панель", @@ -1109,8 +1125,7 @@ "select_view_no_views": "На этой панели нет вкладок.", "strategy": "стратегия", "unnamed_section": "Раздел без названия", - "create_section": "Создать раздел", - "ui_panel_lovelace_editor_section_add_section": "Добавить раздел", + "create_section": "Добавить раздел", "delete_section": "Удалить раздел", "delete_section_text_named_section_only": "Раздел ''{name}'' будет удалён.", "delete_section_text_unnamed_section_only": "Этот раздел будет удалён.", @@ -1118,7 +1133,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} и все его карточки будут удалены.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} будет удален.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Этот раздел", - "edit_name": "Изменить название", + "edit_section": "Редактировать раздел", "suggest_card_header": "Вариант отображения в пользовательском интерфейсе", "add_to_dashboard": "Добавить на панель", "save_config_header": "Получение контроля над панелью", @@ -1143,7 +1158,7 @@ "screen_sizes": "Размеры экрана", "mobile": "Телефон", "tablet": "Планшет", - "desktop": "Рабочий стол", + "desktop": "Компьютер", "wide": "Ширина", "min_size_px": "минимум: {size} пикселей", "entity_state": "Состояние объекта", @@ -1264,7 +1279,7 @@ "light_brightness": "Яркость света", "light_color_temperature": "Цветовая температура света", "lock_commands": "Управление замком", - "lock_open_door": "Открытие двери", + "lock_open_door": "Запереть дверь", "vacuum_commands": "Управление пылесосом", "commands": "Команды", "fan_modes": "Режимы работы вентилятора", @@ -1304,181 +1319,126 @@ "ui_panel_lovelace_editor_color_picker_colors_lime": "Лайм", "violet": "Фиолетовый", "turquoise": "Бирюзовый", + "ui_panel_lovelace_editor_edit_section_title_title": "Изменить название", "warning_attribute_not_found": "Атрибут {attribute} недоступен в {entity}", "entity_not_available_entity": "Объект {entity} недоступен.", "entity_is_non_numeric_entity": "Объект не является числом: {entity}", "warning_entity_unavailable": "Объект \"{entity}\" сейчас недоступен", "invalid_timestamp": "Неверная временная метка", "invalid_display_format": "Неверный формат отображения", + "now": "Текущий период", "compare_data": "Сравнить данные", "reload_ui": "Перезагрузить пользовательский интерфейс", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Выключатель", - "camera": "Камера", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Группа", - "timer": "Таймер", - "zone": "Зона", - "schedule": "Расписание", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", + "profiler": "Profiler", + "http": "HTTP", "cover": "Шторы", - "home_assistant_alerts": "Home Assistant Alerts", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Вспомогательная кнопка", + "samsungtv_smart": "SamsungTV Smart", + "device_tracker": "Устройство для отслеживания", + "trace": "Trace", + "stream": "Stream", + "google_calendar": "Google Calendar", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", "input_boolean": "Вспомогательный переключатель", - "http": "HTTP", + "camera": "Камера", + "text_to_speech_tts": "Text-to-speech (TTS)", + "input_datetime": "Вспомогательная дата и время", "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Диалог", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "webhook": "Webhook", + "tag": "Метка", + "diagnostics": "Диагностика", + "siren": "Сирена", + "fitbit": "Fitbit", + "automation": "Автоматизация", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Клапан", + "assist_pipeline": "Assist pipeline", "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Вентилятор", - "home_assistant_onboarding": "Home Assistant Onboarding", - "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", - "input_datetime": "Вспомогательная дата и время", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Скрипт", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Климат", + "conversation": "Диалог", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Filesize", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Постоянное уведомление", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Учетные данные приложения", - "trace": "Trace", - "input_number": "Вспомогательное число", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Вспомогательный текст", - "rpi_power_title": "Raspberry Pi power supply checker", - "weather": "Погода", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Группа", + "auth": "Auth", + "thread": "Thread", + "zone": "Зона", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Расписание", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Постоянное уведомление", + "remote": "Пульт ДУ", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi power supply checker", + "script": "Скрипт", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Выключатель", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Устройство для отслеживания", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Погода", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Пульт ДУ", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Вспомогательное число", + "binary_sensor": "Бинарный сенсор", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Вентиляция", + "scene": "Scene", + "input_select": "Вспомогательный список", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Событие", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Событие", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Климат", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Счётчик", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Мобильное приложение", - "diagnostics": "Диагностика", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Метка", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Сирена", - "input_select": "Вспомогательный список", + "deconz": "deCONZ", + "timer": "Таймер", + "application_credentials": "Учетные данные приложения", "logger": "Регистратор", - "assist_pipeline": "Assist pipeline", - "automation": "Автоматизация", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Вспомогательная кнопка", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Счётчик", - "binary_sensor": "Бинарный сенсор", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Клапан", - "os_agent_version": "Версия OS Agent", - "apparmor_version": "Версия Apparmor", - "cpu_percent": "Использование ЦП", - "disk_free": "Памяти доступно", - "disk_total": "Памяти всего", - "disk_used": "Памяти использовано", - "memory_percent": "Использование ОЗУ", - "version": "Версия", - "newest_version": "Новая версия", "synchronize_devices": "Синхронизировать устройства", - "device_name_current": "Сила тока {device_name}", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "Потребление сейчас {device_name}", - "today_s_consumption": "Потребление сегодня", - "device_name_today_s_consumption": "Потребление сегодня {device_name}", - "total_consumption": "Общее потребление", - "device_name_total_consumption": "Потребление всего {device_name}", - "device_name_voltage": "Напряжение {device_name}", - "led": "Светодиод", - "bytes_received": "Получено байт", - "server_country": "Страна сервера", - "server_id": "ID сервера", - "server_name": "Имя сервера", - "ping": "Пинг", - "upload": "Передача", - "bytes_sent": "Отправлено байт", - "air_quality_index": "Индекс качества воздуха", - "illuminance": "Освещенность", - "noise": "Шум", - "overload": "Перегрузка", - "voltage": "Напряжение", - "estimated_distance": "Ориентировочное расстояние", - "vendor": "Производитель", - "assist_in_progress": "Assist в работе", - "auto_gain": "Auto gain", - "mic_volume": "Громкость микрофона", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Выключено", - "preferred": "Предпочтительный", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Громкость дверного звонка", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Последнее движение", - "voice_volume": "Громкость голоса", - "volume": "Громкость", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Уровень заряда аккумулятора", - "size": "Размер", - "size_in_bytes": "Размер в байтах", - "finished_speaking_detection": "Определение окончания разговора", - "aggressive": "Агрессивная", - "default": "По умолчанию", - "relaxed": "Расслабленная", - "call_active": "Вызов активен", - "quiet": "Тихий", + "last_scanned_by_device_id_name": "Последнее сканирование по идентификатору устройства", + "tag_id": "Идентификатор метки", "heavy": "Обильный", "mild": "Умеренное", "button_down": "Кнопка вниз", @@ -1497,20 +1457,54 @@ "closing": "Закрывается", "failure": "Сбой", "opened": "Открыт", - "device_admin": "Device admin", - "kiosk_mode": "Режим \"киоска\"", - "connected": "Подключено", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", - "screen_off_timer": "Screen off timer", - "screensaver_brightness": "Screensaver brightness", - "screensaver_timer": "Screensaver timer", - "current_page": "Текущая страница", - "foreground_app": "Foreground app", + "battery_level": "Уровень заряда аккумулятора", + "os_agent_version": "Версия OS Agent", + "apparmor_version": "Версия Apparmor", + "cpu_percent": "Использование ЦП", + "disk_free": "Памяти доступно", + "disk_total": "Памяти всего", + "disk_used": "Памяти использовано", + "memory_percent": "Использование ОЗУ", + "version": "Версия", + "newest_version": "Новая версия", + "next_dawn": "Следующий рассвет", + "next_dusk": "Следующие сумерки", + "next_midnight": "Следующая полночь", + "next_noon": "Следующий полдень", + "next_rising": "Следующий восход", + "next_setting": "Следующий заход", + "solar_elevation": "Высота над горизонтом", + "solar_rising": "Восходит", + "compressor_energy_consumption": "Энергопотребление компрессора", + "compressor_estimated_power_consumption": "Расчетная потребляемая мощность компрессора", + "compressor_frequency": "Частота компрессора", + "cool_energy_consumption": "Потребление энергии на охлаждение", + "energy_consumption": "Потребление энергии", + "heat_energy_consumption": "Потребление энергии на нагрев", + "inside_temperature": "Температура внутри помещения", + "outside_temperature": "Температура наружного воздуха", + "assist_in_progress": "Assist в работе", + "preferred": "Preferred", + "finished_speaking_detection": "Определение окончания разговора", + "aggressive": "Агрессивная", + "default": "По умолчанию", + "relaxed": "Расслабленная", + "device_admin": "Device admin", + "kiosk_mode": "Режим \"киоска\"", + "connected": "Подключено", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Скриншот", + "overlay_message": "Наложенное сообщение", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", + "screensaver_brightness": "Screensaver brightness", + "screensaver_timer": "Screensaver timer", + "current_page": "Текущая страница", + "foreground_app": "Foreground app", "internal_storage_free_space": "Internal storage free space", "internal_storage_total_space": "Internal storage total space", "free_memory": "Free memory", @@ -1520,32 +1514,83 @@ "maintenance_mode": "Режим обслуживания", "motion_detection": "Обнаружение движения", "screensaver": "Screensaver", - "compressor_energy_consumption": "Энергопотребление компрессора", - "compressor_estimated_power_consumption": "Расчетная потребляемая мощность компрессора", - "compressor_frequency": "Частота компрессора", - "cool_energy_consumption": "Потребление энергии на охлаждение", - "energy_consumption": "Потребление энергии", - "heat_energy_consumption": "Потребление энергии на нагрев", - "inside_temperature": "Температура внутри помещения", - "outside_temperature": "Температура наружного воздуха", - "next_dawn": "Следующий рассвет", - "next_dusk": "Следующие сумерки", - "next_midnight": "Следующая полночь", - "next_noon": "Следующий полдень", - "next_rising": "Следующий восход", - "next_setting": "Следующий заход", - "solar_elevation": "Высота над горизонтом", - "solar_rising": "Восходит", - "calibration": "Калибровка", - "auto_lock_paused": "Автоблокировка приостановлена", - "timeout": "Тайм-аут", - "unclosed_alarm": "Не на сигнализации", - "unlocked_alarm": "Разблокированная сигнализация", - "bluetooth_signal": "Сигнал Bluetooth", - "light_level": "Уровень освещенности", - "wi_fi_signal": "Сигнал Wi-Fi", - "momentary": "Мгновенный", - "pull_retract": "Вытягивание/втягивание", + "battery_low": "Низкий заряд батареи", + "cloud_connection": "Облачное подключение", + "humidity_warning": "Предупреждение о влажности", + "overheated": "Перегретый", + "temperature_warning": "Предупреждение о температуре", + "update_available": "Доступно обновление", + "dry": "Осушение", + "wet": "Обнаружена", + "stop_alarm": "Выключить сигнализацию", + "test_alarm": "Проверить сигнализацию", + "turn_off_in": "Выключить через", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Смещение температуры", + "alarm_sound": "Звук сигнализации", + "alarm_volume": "Громкость сигнализации", + "light_preset": "Предустановка света", + "alarm_source": "Источник сигнализации", + "auto_off_at": "Автоотключение в", + "available_firmware_version": "Доступная версия прошивки", + "this_month_s_consumption": "Потребление за этот месяц", + "today_s_consumption": "Потребление сегодня", + "total_consumption": "Общее потребление", + "device_name_current": "Сила тока {device_name}", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "Потребление сейчас {device_name}", + "current_firmware_version": "Текущая версия прошивки", + "device_time": "Время устройства", + "on_since": "Включено с", + "report_interval": "Интервал между отчетами", + "signal_level": "Уровень сигнала", + "ssid": "SSID", + "device_name_today_s_consumption": "Потребление сегодня {device_name}", + "device_name_total_consumption": "Потребление всего {device_name}", + "voltage": "Напряжение", + "device_name_voltage": "Напряжение {device_name}", + "auto_off_enabled": "Автоотключение включено", + "auto_update_enabled": "Автообновление включено", + "fan_sleep_mode": "Спящий режим вентилятора", + "led": "Светодиод", + "smooth_transitions": "Плавные переходы", + "process_process": "Процесс {process}", + "disk_free_mount_point": "Свободно на диске {mount_point}", + "disk_use_mount_point": "Использовано на диске {mount_point}", + "disk_usage_mount_point": "Использование диска {mount_point}", + "ipv_address_ip_address": "IPv6-адрес {ip_address}", + "last_boot": "Последняя загрузка", + "load_m": "Нагрузка (5 м)", + "memory_free": "Свободно памяти", + "memory_use": "Использовано памяти", + "memory_usage": "Использование памяти", + "network_in_interface": "Входящих данных {interface}", + "network_out_interface": "Исходящих данных {interface}", + "packets_in_interface": "Входящих пакетов {interface}", + "packets_out_interface": "Исходящих пакетов {interface}", + "processor_temperature": "Температура процессора", + "processor_use": "Использование процессора", + "swap_free": "Свободно подкачки", + "swap_use": "Использовано подкачки", + "swap_usage": "Использование подкачки", + "network_throughput_in_interface": "Входящая пропускная способность {interface}", + "network_throughput_out_interface": "Исходящая пропускная способность {interface}", + "estimated_distance": "Ориентировочное расстояние", + "vendor": "Производитель", + "air_quality_index": "Индекс качества воздуха", + "illuminance": "Освещенность", + "noise": "Шум", + "overload": "Перегрузка", + "size": "Размер", + "size_in_bytes": "Размер в байтах", + "bytes_received": "Получено байт", + "server_country": "Страна сервера", + "server_id": "ID сервера", + "server_name": "Имя сервера", + "ping": "Пинг", + "upload": "Передача", + "bytes_sent": "Отправлено байт", "animal": "Animal", "animal_lens": "Animal lens 1", "face": "Face", @@ -1556,6 +1601,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1613,23 +1661,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "Чувствительность PIR", + "volume": "Громкость", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Выключено", "auto_track_method": "Auto track method", "digital": "Цифровой", "digital_first": "Сначала цифровой", "pan_tilt_first": "Сначала панорамирование/наклон", "day_night_mode": "Day night mode", "black_white": "Черно-белый", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Автоматически и постоянно включен в ночное время", + "stay_off": "Всегда выключен", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "Включено ночью", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Автоматически и постоянно включен в ночное время", - "stay_off": "Всегда выключен", "battery_percentage": "Процент заряда батареи", "battery_state": "Состояние батареи", "charge_complete": "Зарядка завершена", @@ -1643,6 +1694,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Сигнал Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1651,6 +1703,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "Включить PIR", "pir_reduce_false_alarm": "Снизить ложные срабатывания PIR", "ptz_patrol": "PTZ patrol", @@ -1658,79 +1711,83 @@ "record": "Записать поток", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Процесс {process}", - "disk_free_mount_point": "Свободно на диске {mount_point}", - "disk_use_mount_point": "Использовано на диске {mount_point}", - "disk_usage_mount_point": "Использование диска {mount_point}", - "ipv_address_ip_address": "IPv6-адрес {ip_address}", - "last_boot": "Последняя загрузка", - "load_m": "Нагрузка (5 м)", - "memory_free": "Свободно памяти", - "memory_use": "Использовано памяти", - "memory_usage": "Использование памяти", - "network_in_interface": "Входящих данных {interface}", - "network_out_interface": "Исходящих данных {interface}", - "packets_in_interface": "Входящих пакетов {interface}", - "packets_out_interface": "Исходящих пакетов {interface}", - "processor_temperature": "Температура процессора", - "processor_use": "Использование процессора", - "swap_free": "Свободно подкачки", - "swap_use": "Использовано подкачки", - "swap_usage": "Использование подкачки", - "network_throughput_in_interface": "Входящая пропускная способность {interface}", - "network_throughput_out_interface": "Исходящая пропускная способность {interface}", - "device_trackers": "Отслеживающие устройства", - "gps_accuracy": "Точность GPS", + "call_active": "Вызов активен", + "quiet": "Тихий", + "auto_gain": "Auto gain", + "mic_volume": "Громкость микрофона", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Калибровка", + "auto_lock_paused": "Автоблокировка приостановлена", + "timeout": "Тайм-аут", + "unclosed_alarm": "Не на сигнализации", + "unlocked_alarm": "Разблокированная сигнализация", + "bluetooth_signal": "Сигнал Bluetooth", + "light_level": "Уровень освещенности", + "momentary": "Мгновенный", + "pull_retract": "Вытягивание/втягивание", + "ding": "Ding", + "doorbell_volume": "Громкость дверного звонка", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Последнее движение", + "voice_volume": "Громкость голоса", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "box": "Ящик", + "apparent_power": "Полная мощность", + "atmospheric_pressure": "Атмосферное давление", + "carbon_dioxide": "Углекислый газ", + "data_rate": "Скорость передачи данных", + "distance": "Расстояние", + "stored_energy": "Накопленная энергия", + "frequency": "Частота", + "irradiance": "Излучение", + "nitrogen_dioxide": "Диоксид азота", + "nitrogen_monoxide": "Монооксид азота", + "nitrous_oxide": "Оксид азота", + "ozone": "Озон", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Коэффициент мощности", + "precipitation_intensity": "Интенсивность осадков", + "reactive_power": "Реактивная мощность", + "sound_pressure": "Звуковое воздействие", + "speed": "Speed", + "sulphur_dioxide": "Диоксид серы", + "vocs": "Летучие органические вещества", + "volume_flow_rate": "Объемный расход", + "stored_volume": "Сохраненная громкость", + "weight": "Вес", + "available_tones": "Доступные тона", + "end_time": "Время окончания", + "start_time": "Время начала", + "managed_via_ui": "Управляется через пользовательский интерфейс", + "next_event": "Следующее событие", + "stopped": "Остановлен", + "garage": "Гараж", "running_automations": "Запущенные автоматизации", - "max_running_scripts": "Максимальное количество запущенных скриптов", + "id": "ID", + "max_running_automations": "Максимальное количество запущенных автоматизаций", "run_mode": "Режим запуска", "parallel": "Параллельный", "queued": "Очередь", "single": "Одиночный", - "end_time": "Время окончания", - "start_time": "Время начала", - "recording": "Запись", - "streaming": "Трансляция", - "access_token": "Токен доступа", - "brand": "Марка", - "stream_type": "Тип потока", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Модель", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Маршрутизатор", - "cool": "Охлаждение", - "dry": "Осушение", - "fan_only": "Только вентиляция", - "heat_cool": "Обогрев / Охлаждение", - "aux_heat": "Дополнительный нагрев", - "current_humidity": "Текущая влажность", - "current_temperature": "Current Temperature", - "fan_mode": "Режим вентиляции", - "diffuse": "Диффузный", - "top": "Вверх", - "current_action": "Текущее действие", - "heating": "Обогрев", - "preheating": "Предварительный нагрев", - "max_target_humidity": "Максимальная целевая влажность", - "max_target_temperature": "Максимальная целевая температура", - "min_target_humidity": "Минимальная целевая влажность", - "min_target_temperature": "Минимальная целевая температура", - "boost": "Турбо", - "comfort": "Комфорт", - "eco": "Эко", - "sleep": "Сон", - "swing_mode": "Режим качания", - "both": "Оба", - "horizontal": "Горизонтально", - "target_temperature_high": "Верхняя целевая температура", - "target_temperature_low": "Нижняя целевая температура", - "target_temperature_step": "Шаг установки целевой температуры", - "buffering": "Буферизация", - "paused": "Пауза", - "playing": "Воспроизведение", - "app_id": "ID приложения", + "not_charging": "Не заряжается", + "hot": "Горячий", + "no_light": "Нет света", + "light_detected": "Обнаружен свет", + "not_moving": "Не перемещается", + "not_running": "Не работает", + "safe": "Безопасно", + "unsafe": "Небезопасно", + "tampering_detected": "Обнаружено", + "buffering": "Буферизация", + "paused": "Пауза", + "playing": "Воспроизведение", + "app_id": "ID приложения", "local_accessible_entity_picture": "Изображение локального доступного объекта", "group_members": "Участники группы", "muted": "Без звука", @@ -1747,70 +1804,11 @@ "receiver": "Приемник", "speaker": "Наушник", "tv": "ТВ", - "color_mode": "Color Mode", - "brightness_only": "Только яркость", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Цветовая температура (В градусах)", - "color_temperature_kelvin": "Цветовая температура (Кельвин)", - "available_effects": "Доступные эффекты", - "maximum_color_temperature_kelvin": "Максимальная цветовая температура (Кельвин)", - "maximum_color_temperature_mireds": "Максимальная цветовая температура (В градусах)", - "minimum_color_temperature_kelvin": "Минимальная цветовая температура (Кельвин)", - "minimum_color_temperature_mireds": "Минимальная цветовая температура (В градусах)", - "available_color_modes": "Доступные цветовые режимы", - "event_type": "Тип события", - "event_types": "Типы событий", - "doorbell": "Дверной звонок", - "available_tones": "Доступные тона", - "members": "Участники", - "managed_via_ui": "Управляется через пользовательский интерфейс", - "id": "ID", - "max_running_automations": "Максимальное количество запущенных автоматизаций", - "finishes_at": "Заканчивается в", - "remaining": "Осталось", - "next_event": "Следующее событие", - "update_available": "Доступно обновление", - "auto_update": "Автоматическое обновление", - "in_progress": "В процессе выполнения", - "installed_version": "Установленная версия", - "latest_version": "Последняя версия", - "release_summary": "Краткое описание выпуска", - "release_url": "URL-адрес выпуска", - "skipped_version": "Пропущенная версия", - "firmware": "Обновление прошивки", - "box": "Ящик", - "apparent_power": "Полная мощность", - "atmospheric_pressure": "Атмосферное давление", - "carbon_dioxide": "Углекислый газ", - "data_rate": "Скорость передачи данных", - "distance": "Расстояние", - "stored_energy": "Накопленная энергия", - "frequency": "Частота", - "irradiance": "Излучение", - "nitrogen_dioxide": "Диоксид азота", - "nitrogen_monoxide": "Монооксид азота", - "nitrous_oxide": "Оксид азота", - "ozone": "Озон", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Коэффициент мощности", - "precipitation_intensity": "Интенсивность осадков", - "reactive_power": "Реактивная мощность", - "signal_strength": "Уровень сигнала", - "sound_pressure": "Звуковое воздействие", - "speed": "Speed", - "sulphur_dioxide": "Диоксид серы", - "vocs": "Летучие органические вещества", - "volume_flow_rate": "Объемный расход", - "stored_volume": "Сохраненная громкость", - "weight": "Вес", - "stopped": "Остановлен", - "garage": "Гараж", - "pattern": "Шаблон", + "above_horizon": "Над горизонтом", + "below_horizon": "Ниже горизонта", + "oscillating": "Колебания", + "speed_step": "Шаг скорости", + "available_preset_modes": "Доступные предустановки", "armed_away": "Охрана (не дома)", "armed_home": "Охрана (дома)", "armed_night": "Охрана (ночь)", @@ -1820,15 +1818,69 @@ "code_for_arming": "Код постановки на охрану", "not_required": "Не требуется", "code_format": "Формат кода", + "gps_accuracy": "Точность GPS", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Маршрутизатор", + "event_type": "Тип события", + "event_types": "Типы событий", + "doorbell": "Дверной звонок", + "device_trackers": "Отслеживающие устройства", + "max_running_scripts": "Максимальное количество запущенных скриптов", + "jammed": "Заклинило", + "locking": "Блокировка", + "unlocking": "Разблокировка", + "cool": "Охлаждение", + "fan_only": "Только вентиляция", + "heat_cool": "Обогрев / Охлаждение", + "aux_heat": "Дополнительный нагрев", + "current_humidity": "Текущая влажность", + "current_temperature": "Current Temperature", + "fan_mode": "Режим вентиляции", + "diffuse": "Диффузный", + "top": "Вверх", + "current_action": "Текущее действие", + "heating": "Обогрев", + "preheating": "Предварительный нагрев", + "max_target_humidity": "Максимальная целевая влажность", + "max_target_temperature": "Максимальная целевая температура", + "min_target_humidity": "Минимальная целевая влажность", + "min_target_temperature": "Минимальная целевая температура", + "boost": "Турбо", + "comfort": "Комфорт", + "eco": "Эко", + "sleep": "Сон", + "swing_mode": "Режим качания", + "both": "Оба", + "horizontal": "Горизонтально", + "target_temperature_high": "Верхняя целевая температура", + "target_temperature_low": "Нижняя целевая температура", + "target_temperature_step": "Шаг установки целевой температуры", "last_reset": "Последние состояние", "possible_states": "Возможные состояния", "state_class": "Класс состояния", "measurement": "Измерение", "total": "Суммарно", "total_increasing": "Общее увеличение", + "conductivity": "Проводимость", "data_size": "Размер данных", "balance": "Баланс", "timestamp": "Временная метка", + "color_mode": "Color Mode", + "brightness_only": "Только яркость", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Цветовая температура (В градусах)", + "color_temperature_kelvin": "Цветовая температура (Кельвин)", + "available_effects": "Доступные эффекты", + "maximum_color_temperature_kelvin": "Максимальная цветовая температура (Кельвин)", + "maximum_color_temperature_mireds": "Максимальная цветовая температура (В градусах)", + "minimum_color_temperature_kelvin": "Минимальная цветовая температура (Кельвин)", + "minimum_color_temperature_mireds": "Минимальная цветовая температура (В градусах)", + "available_color_modes": "Доступные цветовые режимы", "sunny": "Ясно", "cloudy": "Облачно", "warning": "Предупреждение", @@ -1850,58 +1902,78 @@ "uv_index": "УФ-индекс", "wind_bearing": "Порывы ветра", "wind_gust_speed": "Скорость порывов ветра", - "above_horizon": "Над горизонтом", - "below_horizon": "Ниже горизонта", - "oscillating": "Колебания", - "speed_step": "Шаг скорости", - "available_preset_modes": "Доступные предустановленные режимы", - "jammed": "Заклинило", - "locking": "Блокировка", - "unlocking": "Разблокировка", - "identify": "Идентификация", - "not_charging": "Не заряжается", - "wet": "Обнаружена", - "hot": "Горячий", - "no_light": "Нет света", - "light_detected": "Обнаружен свет", - "not_moving": "Не перемещается", - "not_running": "Не работает", - "safe": "Безопасно", - "unsafe": "Небезопасно", - "tampering_detected": "Обнаружено", + "recording": "Запись", + "streaming": "Трансляция", + "access_token": "Токен доступа", + "brand": "Марка", + "stream_type": "Тип потока", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Модель", "minute": "Минута", "second": "Секунда", - "location_is_already_configured": "Настройка для этого местоположения уже выполнена.", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Неверный ключ API", - "api_key": "Ключ API", + "pattern": "Шаблон", + "members": "Участники", + "finishes_at": "Заканчивается в", + "remaining": "Осталось", + "identify": "Идентификация", + "auto_update": "Автоматическое обновление", + "in_progress": "В процессе выполнения", + "installed_version": "Установленная версия", + "latest_version": "Последняя версия", + "release_summary": "Краткое описание выпуска", + "release_url": "URL-адрес выпуска", + "skipped_version": "Пропущенная версия", + "firmware": "Обновление прошивки", + "abort_single_instance_allowed": "Настройка уже выполнена. Возможно добавить только одну конфигурацию.", "user_description": "Хотите начать настройку?", - "account_is_already_configured": "Эта учётная запись уже добавлена в Home Assistant.", - "abort_already_in_progress": "Процесс настройки уже выполняется.", + "device_is_already_configured": "Это устройство уже добавлено в Home Assistant", + "re_authentication_was_successful": "Повторная аутентификация выполнена успешно", + "re_configuration_was_successful": "Повторная настройка выполнена успешно", "failed_to_connect": "Не удалось подключиться", + "error_custom_port_not_supported": "Устройство Gen1 не поддерживает пользовательский порт.", + "invalid_authentication": "Ошибка аутентификации", + "unexpected_error": "Непредвиденная ошибка", + "username": "Имя пользователя", + "host": "Host", + "port": "Порт", + "account_is_already_configured": "Эта учётная запись уже добавлена в Home Assistant", + "abort_already_in_progress": "Процесс настройки уже выполняется", "invalid_access_token": "Неверный токен доступа", "received_invalid_token_data": "Получены недопустимые данные токена.", "abort_oauth_failed": "Ошибка при получении токена доступа.", "timeout_resolving_oauth_token": "Тайм-аут распознавания токена OAuth.", "abort_oauth_unauthorized": "Ошибка авторизации OAuth при получении токена доступа.", - "re_authentication_was_successful": "Повторная аутентификация выполнена успешно", - "timeout_establishing_connection": "Истекло время подключения", - "unexpected_error": "Непредвиденная ошибка", "successfully_authenticated": "Аутентификация пройдена успешно", - "link_google_account": "Учетная запись Google", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Выберите способ аутентификации", "authentication_expired_for_name": "Истек срок аутентификации {name}", - "service_is_already_configured": "Эта служба уже добавлена в Home Assistant.", - "confirm_description": "Хотите настроить {name}?", - "device_is_already_configured": "Это устройство уже добавлено в Home Assistant.", - "abort_no_devices_found": "Устройства не найдены в сети.", - "connection_error_error": "Ошибка подключения: {error}", - "invalid_authentication_error": "Неверная аутентификация: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Имя пользователя", - "authenticate": "Аутентифицировать", - "host": "Host", - "abort_single_instance_allowed": "Настройка уже выполнена. Возможно добавить только одну конфигурацию.", + "service_is_already_configured": "Эта служба уже добавлена в Home Assistant", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Хотите настроить {name}?", + "adapter": "Адаптер", + "multiple_adapters_description": "Выберите адаптер Bluetooth для настройки", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Ключ API", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1917,6 +1989,29 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "Не удается подключиться. Подробности: {error_detail}", + "unknown_details_error_detail": "Неизвестно. Подробности: {error_detail}", + "uses_an_ssl_certificate": "Используется сертификат SSL", + "verify_ssl_certificate": "Проверять сертификат SSL", + "timeout_establishing_connection": "Истекло время подключения", + "link_google_account": "Учетная запись Google", + "abort_no_devices_found": "Устройства не найдены в сети", + "connection_error_error": "Ошибка подключения: {error}", + "invalid_authentication_error": "Неверная аутентификация: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Аутентифицировать", + "device_class": "Класс устройства", + "state_template": "Шаблон состояния", + "template_binary_sensor": "Шаблон бинарного сенсора", + "template_sensor": "Шаблон сенсора", + "template_helper": "Вспомогательный шаблон", + "location_is_already_configured": "Настройка для этого местоположения уже выполнена", + "failed_to_connect_error": "Не удалось подключиться: {error}", + "invalid_api_key": "Неверный ключ API", + "pin_code": "PIN-код", + "discovered_android_tv": "Обнаружен Android TV", + "known_hosts": "Известные хосты", + "google_cast_configuration": "Настройка Google Cast", "abort_invalid_host": "Неверное имя хоста или IP-адрес", "device_not_supported": "Это устройство не поддерживается.", "name_model_at_host": "{name} ({model}, {host})", @@ -1926,29 +2021,6 @@ "yes_do_it": "Да, сделать это.", "unlock_the_device_optional": "Разблокировка устройства (необязательно)", "connect_to_the_device": "Подключение к устройству", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "В конечной точке службы не найдены", - "port": "Порт", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Ошибка аутентификации", - "two_factor_code": "Код двухфакторной аутентификации", - "two_factor_authentication": "Двухфакторная аутентификация", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Неверный топик о подключении.", "error_bad_certificate": "Сертификат ЦС недействителен.", "invalid_discovery_prefix": "Недопустимый префикс топика автообнаружения.", @@ -1972,17 +2044,45 @@ "path_is_not_allowed": "Путь к файлу не имеет нужных разрешений.", "path_is_not_valid": "Неправильный путь к файлу.", "path_to_file": "Путь к файлу", - "known_hosts": "Известные хосты", - "google_cast_configuration": "Настройка Google Cast", + "api_error_occurred": "Произошла ошибка API.", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Включить HTTPS", "abort_mdns_missing_mac": "Отсутствует MAC-адрес в свойствах MDNS.", "abort_mqtt_missing_api": "Отсутствует порт API в свойствах MQTT.", "abort_mqtt_missing_ip": "Отсутствует IP-адрес в свойствах MQTT.", "abort_mqtt_missing_mac": "Отсутствует MAC-адрес в свойствах MQTT.", - "service_received": "Услуга получена.", + "service_received": "Услуга получена", + "discovered_esphome_node": "Обнаруженный узел ESPHome", "encryption_key": "Ключ шифрования", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "В конечной точке службы не найдены", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Ошибка при взаимодействии с API SwitchBot: {error_detail}", + "unsupported_switchbot_type": "Неподдерживаемый тип Switchbot.", + "authentication_failed_error_detail": "Ошибка аутентификации: {error_detail}", + "error_encryption_key_invalid": "Недействителен идентификатор ключа или ключ шифрования.", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Учетная запись SwitchBot (рекомендуется)", + "menu_options_lock_key": "Ввести ключ шифрования замка вручную", + "key_id": "Идентификатор ключа", + "password_description": "Пароль для защиты резервной копии.", + "device_address": "Адрес устройства", + "component_switchbot_config_error_few": "Несколько", + "component_switchbot_config_error_many": "Много", + "component_switchbot_config_error_other": "Другие", + "meteorologisk_institutt": "Норвежский метеорологический институт.", + "two_factor_code": "Код двухфакторной аутентификации", + "two_factor_authentication": "Двухфакторная аутентификация", + "bridge_is_already_configured": "Настройка этого устройства уже выполнена.", + "no_deconz_bridges_discovered": "Шлюзы deCONZ не найдены.", + "abort_no_hardware_available": "К deCONZ не подключено радиооборудование.", + "abort_updated_instance": "Адрес хоста обновлен.", + "error_linking_not_possible": "Не удалось подключиться к шлюзу.", + "error_no_key": "Не удалось получить ключ API.", + "link_with_deconz": "Связь с deCONZ", + "select_discovered_deconz_gateway": "Выберите обнаруженный шлюз deCONZ", "all_entities": "Все объекты", "hide_members": "Скрывать участников", - "device_class": "Класс устройства", "ignore_non_numeric": "Игнорировать нечисловые значения", "data_round_digits": "Округлять значения до числа десятичных знаков", "type": "Тип", @@ -1994,81 +2094,49 @@ "media_player_group": "Медиаплееры", "sensor_group": "Сенсоры", "switch_group": "Выключатели", - "name_already_exists": "Это название уже используется.", - "passive": "Пассивный", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Повторная настройка выполнена успешно", - "error_custom_port_not_supported": "Устройство Gen1 не поддерживает пользовательский порт.", - "abort_alternative_integration": "Устройство лучше поддерживается другой интеграцией.", - "abort_discovery_error": "Не удалось обнаружить подходящее устройство DLNA.", - "abort_incomplete_config": "В конфигурации отсутствует обязательная переменная.", + "abort_alternative_integration": "Устройство лучше поддерживается другой интеграцией", + "abort_discovery_error": "Не удалось обнаружить подходящее устройство DLNA", + "abort_incomplete_config": "В конфигурации отсутствует обязательная переменная", "manual_description": "URL-адрес XML-файла описания устройства", "manual_title": "Подключение устройства DLNA DMR", "discovered_dlna_dmr_devices": "Обнаруженные устройства DLNA DMR", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Это название уже используется.", + "passive": "Пассивный", "calendar_name": "Название календаря", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Адаптер", - "multiple_adapters_description": "Выберите адаптер Bluetooth для настройки", - "cannot_connect_details_error_detail": "Не удается подключиться. Подробности: {error_detail}", - "unknown_details_error_detail": "Неизвестно. Подробности: {error_detail}", - "uses_an_ssl_certificate": "Используется сертификат SSL", - "verify_ssl_certificate": "Проверять сертификат SSL", - "pin_code": "PIN-код", - "discovered_android_tv": "Обнаружен Android TV", - "state_template": "Шаблон состояния", - "template_binary_sensor": "Шаблон бинарного сенсора", - "template_sensor": "Шаблон сенсора", - "template_helper": "Вспомогательный шаблон", - "bridge_is_already_configured": "Настройка этого устройства уже выполнена.", - "no_deconz_bridges_discovered": "Шлюзы deCONZ не найдены.", - "abort_no_hardware_available": "К deCONZ не подключено радиооборудование.", - "abort_updated_instance": "Адрес хоста обновлен.", - "error_linking_not_possible": "Не удалось подключиться к шлюзу.", - "error_no_key": "Не удалось получить ключ API.", - "link_with_deconz": "Связь с deCONZ", - "select_discovered_deconz_gateway": "Выберите обнаруженный шлюз deCONZ", - "abort_api_error": "Ошибка при взаимодействии с API SwitchBot: {error_detail}", - "unsupported_switchbot_type": "Неподдерживаемый тип Switchbot.", - "authentication_failed_error_detail": "Ошибка аутентификации: {error_detail}", - "error_encryption_key_invalid": "Недействителен идентификатор ключа или ключ шифрования.", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Учетная запись SwitchBot (рекомендуется)", - "menu_options_lock_key": "Ввести ключ шифрования замка вручную", - "key_id": "Идентификатор ключа", - "password_description": "Пароль для защиты резервной копии.", - "device_address": "Адрес устройства", - "component_switchbot_config_error_few": "Несколько", - "component_switchbot_config_error_many": "Много", - "component_switchbot_config_error_other": "Другие", - "meteorologisk_institutt": "Норвежский метеорологический институт.", - "api_error_occurred": "Произошла ошибка API.", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Включить HTTPS", - "enable_the_conversation_agent": "Включить агент диалога", - "language_code": "Код языка", - "select_test_server": "Выберите сервер для тестирования", - "data_allow_nameless_uuids": "Разрешенные в настоящее время UUID. Снимите флажок, чтобы удалить", - "minimum_rssi": "Минимальный RSSI", - "data_new_uuid": "Введите новый разрешенный UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Режим сканирования Bluetooth", + "passive_scanning": "Пассивное сканирование", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2151,6 +2219,22 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Включить агент диалога", + "language_code": "Код языка", + "data_process": "Процессы для добавления в качестве сенсора(ов)", + "data_app_delete": "Отметьте, чтобы удалить это приложение", + "application_icon": "Иконка приложения", + "application_name": "Название приложения", + "configure_application_id_app_id": "Настройка приложения {app_id}", + "configure_android_apps": "Настройка приложений для Android", + "configure_applications_list": "Настроить список приложений", + "data_allow_nameless_uuids": "Разрешенные в настоящее время UUID. Снимите флажок, чтобы удалить", + "minimum_rssi": "Минимальный RSSI", + "data_new_uuid": "Введите новый разрешенный UUID", + "data_calendar_access": "Доступ Home Assistant к Google Календарю", + "ignore_cec": "Игнорировать CEC", + "allowed_uuids": "Разрешенные UUID", + "advanced_google_cast_configuration": "Расширенная настройка Google Cast", "broker_options": "Параметры Брокера", "enable_birth_message": "Отправлять топик о подключении", "birth_message_payload": "Значение топика о подключении", @@ -2164,113 +2248,46 @@ "will_message_retain": "Сохранять топик об отключении", "will_message_topic": "Топик об отключении (LWT)", "mqtt_options": "Параметры MQTT", - "ignore_cec": "Игнорировать CEC", - "allowed_uuids": "Разрешенные UUID", - "advanced_google_cast_configuration": "Расширенная настройка Google Cast", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Режим сканирования Bluetooth", - "invalid_url": "Неверный URL-адрес.", - "data_browse_unfiltered": "Показывать несовместимые медиа", - "event_listener_callback_url": "Callback URL обработчика событий", - "data_listen_port": "Порт обработчика событий (случайный, если не установлен)", - "poll_for_device_availability": "Опрос доступности устройства", - "init_title": "Конфигурация цифрового медиа рендерера DLNA", - "passive_scanning": "Пассивное сканирование", + "protocol": "Протокол", + "select_test_server": "Выберите сервер для тестирования", + "retry_count": "Количество повторных попыток", "allow_deconz_clip_sensors": "Отображать сенсоры deCONZ CLIP", "allow_deconz_light_groups": "Отображать группы освещения deCONZ", "data_allow_new_devices": "Разрешить автоматическое добавление новых устройств", "deconz_devices_description": "Настройки видимости типов устройств deCONZ", "deconz_options": "Настройка deCONZ", - "retry_count": "Количество повторных попыток", - "data_calendar_access": "Доступ Home Assistant к Google Календарю", - "protocol": "Протокол", - "data_process": "Процессы для добавления в качестве сенсора(ов)", - "toggle_entity_name": "Переключить \"{entity_name}\"", - "turn_off_entity_name": "Выключить \"{entity_name}\"", - "turn_on_entity_name": "Включить \"{entity_name}\"", - "entity_name_is_off": "\"{entity_name}\" в выключенном состоянии", - "entity_name_is_on": "\"{entity_name}\" во включенном состоянии", - "trigger_type_changed_states": "\"{entity_name}\" включается или выключается", - "entity_name_turned_off": "\"{entity_name}\" выключается", - "entity_name_turned_on": "\"{entity_name}\" включается", - "entity_name_is_home": "{entity_name} дома", - "entity_name_is_not_home": "{entity_name} не дома", - "entity_name_enters_a_zone": "{entity_name} входит в зону", - "entity_name_leaves_a_zone": "{entity_name} покидает зону", - "action_type_set_hvac_mode": "{entity_name}: сменить режим работы", - "change_preset_on_entity_name": "{entity_name}: сменить пресет", - "entity_name_measured_humidity_changed": "\"{entity_name}\" изменяет значение измеренной влажности", - "entity_name_measured_temperature_changed": "\"{entity_name}\" изменяет значение измеренной температуры", - "entity_name_hvac_mode_changed": "\"{entity_name}\" меняет режим работы", - "entity_name_is_buffering": "\"{entity_name}\" выполняет буферизацию", - "entity_name_is_idle": "\"{entity_name}\" в режиме ожидания", - "entity_name_is_paused": "\"{entity_name}\" приостанавливает воспроизведение", - "entity_name_is_playing": "\"{entity_name}\" воспроизводит медиа", - "entity_name_starts_buffering": "\"{entity_name}\" начинает буферизацию", - "entity_name_becomes_idle": "\"{entity_name}\" переходит в режим ожидания", - "entity_name_starts_playing": "\"{entity_name}\" начинает воспроизведение", + "invalid_url": "Неверный URL-адрес", + "data_browse_unfiltered": "Показывать несовместимые медиа", + "event_listener_callback_url": "Callback URL обработчика событий", + "data_listen_port": "Порт обработчика событий (случайный, если не установлен)", + "poll_for_device_availability": "Опрос доступности устройства", + "init_title": "Конфигурация цифрового медиа рендерера DLNA", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Первая кнопка", "second_button": "Вторая кнопка", "third_button": "Третья кнопка", "fourth_button": "Четвертая кнопка", - "fifth_button": "Пятая кнопка", - "sixth_button": "Шестая кнопка", + "subtype_button_down": "{subtype} в положении 'вниз'", + "subtype_button_up": "{subtype} в положении 'вверх'", "subtype_double_clicked": "\"{subtype}\" нажата два раза", - "subtype_continuously_pressed": "\"{subtype}\" удерживается нажатой", - "trigger_type_button_long_release": "{subtype} отпущена после долгого нажатия", - "subtype_quadruple_clicked": "\"{subtype}\" нажата четыре раза", - "subtype_quintuple_clicked": "\"{subtype}\" нажата пять раз", - "subtype_pressed": "\"{subtype}\" нажата", - "subtype_released": "\"{subtype}\" отпущена после короткого нажатия", + "subtype_double_push": "{subtype} нажата два раза", + "subtype_long_push": "{subtype} долго нажата", + "trigger_type_long_single": "{subtype} долго нажата и затем нажата один раз", + "subtype_single_push": "{subtype} нажата один раз", + "trigger_type_single_long": "{subtype} нажата один раз и затем долго нажата", "subtype_triple_clicked": "\"{subtype}\" нажата три раза", - "decrease_entity_name_brightness": "Уменьшить яркость объекта \"{entity_name}\"", - "increase_entity_name_brightness": "Увеличить яркость объекта \"{entity_name}\"", - "flash_entity_name": "Включить мигание объекта \"{entity_name}\"", - "action_type_select_first": "Выбрать первый вариант из списка \"{entity_name}\"", - "action_type_select_last": "Выбрать последний вариант из списка \"{entity_name}\"", - "action_type_select_next": "Выбрать следующий вариант из списка \"{entity_name}\"", - "change_entity_name_option": "Изменить вариант выбора списка \"{entity_name}\"", - "action_type_select_previous": "Выбрать предыдущий вариант из списка \"{entity_name}\"", - "current_entity_name_selected_option": "Выбран вариант из списка \"{entity_name}\"", - "entity_name_option_changed": "Изменяется выбранный вариант из списка \"{entity_name}\"", - "entity_name_update_availability_changed": "Изменяется доступность обновления \"{entity_name}\"", - "entity_name_became_up_to_date": "\"{entity_name}\" обновляется", - "trigger_type_update": "Становится доступным обновление \"{entity_name}\"", - "subtype_button_down": "{subtype} в положении 'вниз'", - "subtype_button_up": "{subtype} в положении 'вверх'", - "subtype_double_push": "{subtype} нажата два раза", - "subtype_long_push": "{subtype} долго нажата", - "trigger_type_long_single": "{subtype} долго нажата и затем нажата один раз", - "subtype_single_push": "{subtype} нажата один раз", - "trigger_type_single_long": "{subtype} нажата один раз и затем долго нажата", "subtype_triple_push": "{subtype} нажата три раза", "set_value_for_entity_name": "Установить значение числового объекта \"{entity_name}\"", + "value": "Значение", "close_entity_name": "{entity_name}: закрыть", "close_entity_name_tilt": "{entity_name}: закрыть ламели", "open_entity_name": "{entity_name}: открыть", @@ -2287,59 +2304,6 @@ "entity_name_opened": "\"{entity_name}\" открыто", "entity_name_position_changes": "\"{entity_name}\" изменяет положение", "entity_name_tilt_position_changes": "\"{entity_name}\" изменяет наклон ламелей", - "send_a_notification": "Отправить уведомление", - "arm_entity_name_away": "Включить режим охраны \"Не дома\" на панели \"{entity_name}\"", - "arm_entity_name_home": "Включить режим охраны \"Дома\" на панели \"{entity_name}\"", - "arm_entity_name_night": "Включить режим охраны \"Ночь\" на панели \"{entity_name}\"", - "arm_entity_name_vacation": "Включить режим охраны \"Отпуск\" на панели \"{entity_name}\"", - "disarm_entity_name": "Отключить охрану на панели \"{entity_name}\"", - "trigger_entity_name": "{entity_name} срабатывает", - "entity_name_armed_away": "Включен режим охраны \"Не дома\" на панели \"{entity_name}\"", - "entity_name_armed_home": "Включен режим охраны \"Дома\" на панели \"{entity_name}\"", - "entity_name_armed_night": "Включен режим охраны \"Ночь\" на панели \"{entity_name}\"", - "entity_name_armed_vacation": "Включен режим охраны \"Отпуск\" на панели \"{entity_name}\"", - "entity_name_disarmed": "Отключена охрана на панели \"{entity_name}\"", - "entity_name_triggered": "\"{entity_name}\" срабатывает", - "condition_type_is_aqi": "\"{entity_name}\" имеет текущее значение", - "condition_type_is_carbon_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации углекислого газа", - "condition_type_is_carbon_monoxide": "\"{entity_name}\" имеет текущее значение уровня концентрации угарного газа", - "current_entity_name_current": "\"{entity_name}\" имеет текущее значение силы тока", - "current_entity_name_energy": "\"{entity_name}\" имеет текущее значение мощности", - "condition_type_is_nitrogen_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации диоксида азота", - "condition_type_is_nitrogen_monoxide": "\"{entity_name}\" имеет текущее значение уровня концентрации монооксида азота", - "condition_type_is_nitrous_oxide": "\"{entity_name}\" имеет текущее значение уровня концентрации закиси азота", - "condition_type_is_ozone": "\"{entity_name}\" имеет текущее значение уровня концентрации озона", - "current_entity_name_ph_level": "\"{entity_name}\" имеет текущее значение pH", - "condition_type_is_pm": "\"{entity_name}\" имеет текущее значение уровня концентрации PM2.5", - "current_entity_name_power_factor": "\"{entity_name}\" имеет текущее значение коэффициента мощности", - "condition_type_is_sulphur_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации диоксида серы", - "condition_type_is_volatile_organic_compounds": "\"{entity_name}\" имеет текущее значение уровня концентрации летучих органических веществ", - "current_entity_name_voltage": "\"{entity_name}\" имеет текущее значение напряжения", - "condition_type_is_volume_flow_rate": "Текущий объемный расход \"{entity_name}\"", - "entity_name_apparent_power_changes": "\"{entity_name}\" изменяет значение полной мощности", - "trigger_type_aqi": "\"{entity_name}\" изменяет значение", - "entity_name_current_changes": "\"{entity_name}\" изменяет значение силы тока", - "entity_name_distance_changes": "\"{entity_name}\" изменяет расстояние", - "entity_name_energy_changes": "\"{entity_name}\" изменяет значение мощности", - "entity_name_gas_changes": "{entity_name} изменяет содержание газа", - "entity_name_moisture_changes": "\"{entity_name}\" изменяет содержание влаги", - "trigger_type_nitrogen_dioxide": "\"{entity_name}\" изменяет значение концентрации диоксида азота", - "trigger_type_nitrogen_monoxide": "\"{entity_name}\" изменяет значение концентрации монооксида азота", - "trigger_type_nitrous_oxide": "\"{entity_name}\" изменяет значение концентрации закиси азота", - "entity_name_ozone_concentration_changes": "\"{entity_name}\" изменяет значение концентрации озона", - "entity_name_ph_level_changes": "\"{entity_name}\" изменяет значение pH", - "entity_name_pm_concentration_changes": "\"{entity_name}\" изменяет значение концентрации PM2.5", - "entity_name_power_factor_changes": "\"{entity_name}\" изменяет коэффициент мощности", - "entity_name_reactive_power_changes": "\"{entity_name}\" изменяет значение реактивной мощности", - "entity_name_speed_changes": "\"{entity_name}\" изменяет скорость", - "trigger_type_sulphur_dioxide": "\"{entity_name}\" изменяет значение концентрации диоксида серы", - "trigger_type_volatile_organic_compounds": "\"{entity_name}\" изменяет значение концентрации летучих органических веществ", - "entity_name_voltage_changes": "\"{entity_name}\" изменяет значение напряжения", - "entity_name_volume_changes": "\"{entity_name}\" изменяет объём", - "trigger_type_volume_flow_rate": "\"{entity_name}\" изменяет объёмный расход", - "entity_name_weight_changes": "\"{entity_name}\" изменяет вес", - "press_entity_name_button": "Нажать кнопку \"{entity_name}\"", - "entity_name_has_been_pressed": "Нажата кнопка \"{entity_name}\"", "entity_name_battery_is_low": "\"{entity_name}\" в разряженном состоянии", "entity_name_is_charging": "\"{entity_name}\" заряжается", "condition_type_is_co": "\"{entity_name}\" обнаруживает монооксид углерода", @@ -2375,6 +2339,8 @@ "condition_type_is_not_tampered": "\"{entity_name}\" не обнаруживает вмешательство", "entity_name_is_safe": "\"{entity_name}\" в безопасном состоянии", "entity_name_is_present": "\"{entity_name}\" обнаруживает присутствие", + "entity_name_is_off": "\"{entity_name}\" в выключенном состоянии", + "entity_name_is_on": "\"{entity_name}\" во включенном состоянии", "entity_name_is_powered": "\"{entity_name}\" обнаруживает питание", "entity_name_is_detecting_problem": "\"{entity_name}\" обнаруживает проблему", "entity_name_is_running": "\"{entity_name}\" работает", @@ -2403,6 +2369,7 @@ "entity_name_stopped_detecting_problem": "\"{entity_name}\" прекращает обнаруживать проблему", "entity_name_stopped_detecting_smoke": "\"{entity_name}\" прекращает обнаруживать дым", "entity_name_stopped_detecting_sound": "\"{entity_name}\" прекращает обнаруживать звук", + "entity_name_became_up_to_date": "\"{entity_name}\" обновляется", "entity_name_stopped_detecting_vibration": "\"{entity_name}\" прекращает обнаруживать вибрацию", "entity_name_battery_normal": "\"{entity_name}\" регистрирует нормальный заряд", "entity_name_not_charging": "\"{entity_name}\" прекращает заряжаться", @@ -2428,8 +2395,108 @@ "entity_name_started_detecting_smoke": "\"{entity_name}\" начинает обнаруживать дым", "entity_name_started_detecting_sound": "\"{entity_name}\" начинает обнаруживать звук", "entity_name_started_detecting_tampering": "\"{entity_name}\" начинает обнаруживать вмешательство", + "entity_name_turned_off": "\"{entity_name}\" выключается", + "entity_name_turned_on": "\"{entity_name}\" включается", "entity_name_became_unsafe": "\"{entity_name}\" не регистрирует безопасность", + "trigger_type_update": "Становится доступным обновление \"{entity_name}\"", "entity_name_started_detecting_vibration": "\"{entity_name}\" начинает обнаруживать вибрацию", + "entity_name_is_buffering": "\"{entity_name}\" выполняет буферизацию", + "entity_name_is_idle": "\"{entity_name}\" в режиме ожидания", + "entity_name_is_paused": "\"{entity_name}\" приостанавливает воспроизведение", + "entity_name_is_playing": "\"{entity_name}\" воспроизводит медиа", + "entity_name_starts_buffering": "\"{entity_name}\" начинает буферизацию", + "trigger_type_changed_states": "\"{entity_name}\" включается или выключается", + "entity_name_becomes_idle": "\"{entity_name}\" переходит в режим ожидания", + "entity_name_starts_playing": "\"{entity_name}\" начинает воспроизведение", + "toggle_entity_name": "Переключить \"{entity_name}\"", + "turn_off_entity_name": "Выключить \"{entity_name}\"", + "turn_on_entity_name": "Включить \"{entity_name}\"", + "arm_entity_name_away": "Включить режим охраны \"Не дома\" на панели \"{entity_name}\"", + "arm_entity_name_home": "Включить режим охраны \"Дома\" на панели \"{entity_name}\"", + "arm_entity_name_night": "Включить режим охраны \"Ночь\" на панели \"{entity_name}\"", + "arm_entity_name_vacation": "Включить режим охраны \"Отпуск\" на панели \"{entity_name}\"", + "disarm_entity_name": "Отключить охрану на панели \"{entity_name}\"", + "trigger_entity_name": "{entity_name} срабатывает", + "entity_name_armed_away": "Включен режим охраны \"Не дома\" на панели \"{entity_name}\"", + "entity_name_armed_home": "Включен режим охраны \"Дома\" на панели \"{entity_name}\"", + "entity_name_armed_night": "Включен режим охраны \"Ночь\" на панели \"{entity_name}\"", + "entity_name_armed_vacation": "Включен режим охраны \"Отпуск\" на панели \"{entity_name}\"", + "entity_name_disarmed": "Отключена охрана на панели \"{entity_name}\"", + "entity_name_triggered": "\"{entity_name}\" срабатывает", + "entity_name_is_home": "{entity_name} дома", + "entity_name_is_not_home": "{entity_name} не дома", + "entity_name_enters_a_zone": "{entity_name} входит в зону", + "entity_name_leaves_a_zone": "{entity_name} покидает зону", + "lock_entity_name": "{entity_name}: заблокировать", + "unlock_entity_name": "{entity_name}: разблокировать", + "action_type_set_hvac_mode": "{entity_name}: сменить режим работы", + "change_preset_on_entity_name": "Сменить предустановку \"{entity_name}\"", + "hvac_mode": "Режим работы ОВиК", + "to": "Изменение на", + "entity_name_measured_humidity_changed": "\"{entity_name}\" изменяет значение измеренной влажности", + "entity_name_measured_temperature_changed": "\"{entity_name}\" изменяет значение измеренной температуры", + "entity_name_hvac_mode_changed": "\"{entity_name}\" меняет режим работы", + "condition_type_is_aqi": "\"{entity_name}\" имеет текущее значение", + "condition_type_is_carbon_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации углекислого газа", + "condition_type_is_carbon_monoxide": "\"{entity_name}\" имеет текущее значение уровня концентрации угарного газа", + "current_entity_name_conductivity": "\"{entity_name}\" имеет текущее значение проводимости", + "current_entity_name_current": "\"{entity_name}\" имеет текущее значение силы тока", + "current_entity_name_energy": "\"{entity_name}\" имеет текущее значение мощности", + "condition_type_is_nitrogen_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации диоксида азота", + "condition_type_is_nitrogen_monoxide": "\"{entity_name}\" имеет текущее значение уровня концентрации монооксида азота", + "condition_type_is_nitrous_oxide": "\"{entity_name}\" имеет текущее значение уровня концентрации закиси азота", + "condition_type_is_ozone": "\"{entity_name}\" имеет текущее значение уровня концентрации озона", + "current_entity_name_ph_level": "\"{entity_name}\" имеет текущее значение pH", + "condition_type_is_pm": "\"{entity_name}\" имеет текущее значение уровня концентрации PM2.5", + "current_entity_name_power_factor": "\"{entity_name}\" имеет текущее значение коэффициента мощности", + "condition_type_is_sulphur_dioxide": "\"{entity_name}\" имеет текущее значение уровня концентрации диоксида серы", + "condition_type_is_volatile_organic_compounds": "\"{entity_name}\" имеет текущее значение уровня концентрации летучих органических веществ", + "current_entity_name_voltage": "\"{entity_name}\" имеет текущее значение напряжения", + "condition_type_is_volume_flow_rate": "Текущий объемный расход \"{entity_name}\"", + "entity_name_apparent_power_changes": "\"{entity_name}\" изменяет значение полной мощности", + "trigger_type_aqi": "\"{entity_name}\" изменяет значение", + "entity_name_conductivity_changes": "\"{entity_name}\" изменяет проводимость", + "entity_name_current_changes": "\"{entity_name}\" изменяет значение силы тока", + "entity_name_distance_changes": "\"{entity_name}\" изменяет расстояние", + "entity_name_energy_changes": "\"{entity_name}\" изменяет значение мощности", + "entity_name_gas_changes": "{entity_name} изменяет содержание газа", + "entity_name_moisture_changes": "\"{entity_name}\" изменяет содержание влаги", + "trigger_type_nitrogen_dioxide": "\"{entity_name}\" изменяет значение концентрации диоксида азота", + "trigger_type_nitrogen_monoxide": "\"{entity_name}\" изменяет значение концентрации монооксида азота", + "trigger_type_nitrous_oxide": "\"{entity_name}\" изменяет значение концентрации закиси азота", + "entity_name_ozone_concentration_changes": "\"{entity_name}\" изменяет значение концентрации озона", + "entity_name_ph_level_changes": "\"{entity_name}\" изменяет значение pH", + "entity_name_pm_concentration_changes": "\"{entity_name}\" изменяет значение концентрации PM2.5", + "entity_name_power_factor_changes": "\"{entity_name}\" изменяет коэффициент мощности", + "entity_name_reactive_power_changes": "\"{entity_name}\" изменяет значение реактивной мощности", + "entity_name_speed_changes": "\"{entity_name}\" изменяет скорость", + "trigger_type_sulphur_dioxide": "\"{entity_name}\" изменяет значение концентрации диоксида серы", + "trigger_type_volatile_organic_compounds": "\"{entity_name}\" изменяет значение концентрации летучих органических веществ", + "entity_name_voltage_changes": "\"{entity_name}\" изменяет значение напряжения", + "entity_name_volume_changes": "\"{entity_name}\" изменяет объём", + "trigger_type_volume_flow_rate": "\"{entity_name}\" изменяет объёмный расход", + "entity_name_weight_changes": "\"{entity_name}\" изменяет вес", + "decrease_entity_name_brightness": "Уменьшить яркость объекта \"{entity_name}\"", + "increase_entity_name_brightness": "Увеличить яркость объекта \"{entity_name}\"", + "flash_entity_name": "Включить мигание объекта \"{entity_name}\"", + "flash": "Мигание", + "fifth_button": "Пятая кнопка", + "sixth_button": "Шестая кнопка", + "subtype_continuously_pressed": "\"{subtype}\" удерживается нажатой", + "trigger_type_button_long_release": "{subtype} отпущена после долгого нажатия", + "subtype_quadruple_clicked": "\"{subtype}\" нажата четыре раза", + "subtype_quintuple_clicked": "\"{subtype}\" нажата пять раз", + "subtype_pressed": "\"{subtype}\" нажата", + "subtype_released": "\"{subtype}\" отпущена после короткого нажатия", + "action_type_select_first": "Выбрать первый вариант из списка \"{entity_name}\"", + "action_type_select_last": "Выбрать последний вариант из списка \"{entity_name}\"", + "action_type_select_next": "Выбрать следующий вариант из списка \"{entity_name}\"", + "change_entity_name_option": "Изменить вариант выбора списка \"{entity_name}\"", + "action_type_select_previous": "Выбрать предыдущий вариант из списка \"{entity_name}\"", + "current_entity_name_selected_option": "Выбран вариант из списка \"{entity_name}\"", + "from": "Изменение с", + "entity_name_option_changed": "Изменяется выбранный вариант из списка \"{entity_name}\"", + "send_a_notification": "Отправить уведомление", "both_buttons": "Обе кнопки", "bottom_buttons": "Нижние кнопки", "seventh_button": "Седьмая кнопка", @@ -2455,15 +2522,21 @@ "trigger_type_remote_rotate_from_side": "Устройство перевернули с Грани 6 на {subtype}", "device_turned_clockwise": "Устройство повернули по часовой стрелке", "device_turned_counter_clockwise": "Устройство повернули против часовой стрелки", - "lock_entity_name": "{entity_name}: заблокировать", - "unlock_entity_name": "{entity_name}: разблокировать", - "critical": "Критическая ошибка", - "debug": "Отладка", + "press_entity_name_button": "Нажать кнопку \"{entity_name}\"", + "entity_name_has_been_pressed": "Нажата кнопка \"{entity_name}\"", + "entity_name_update_availability_changed": "Изменяется доступность обновления \"{entity_name}\"", "add_to_queue": "Добавить в очередь", "play_next": "Воспроизвести следующий", "options_replace": "Воспроизвести сейчас и очистить очередь", "repeat_all": "Повторять все", "repeat_one": "Повторять один", + "critical": "Критическая ошибка", + "debug": "Отладка", + "arithmetic_mean": "Среднее арифметическое", + "median": "Медиана", + "product": "Произведение", + "statistical_range": "Статистический диапазон", + "standard_deviation": "Стандартное отклонение", "alice_blue": "Синий Элис", "antique_white": "Античный белый", "aqua": "Морская волна", @@ -2582,97 +2655,73 @@ "tomato": "Томатный", "wheat": "Пшеничный", "white_smoke": "Дымчато-белый", + "fatal": "Фатальная ошибка", "no_device_class": "Нет класса устройства", "no_state_class": "Нет класса состояния", "no_unit_of_measurement": "Нет единицы измерения", - "fatal": "Фатальная ошибка", - "arithmetic_mean": "Среднее арифметическое", - "median": "Медиана", - "product": "Произведение", - "statistical_range": "Статистический диапазон", - "standard_deviation": "Стандартное отклонение", - "restarts_an_add_on": "Перезапускает дополнение.", - "the_add_on_slug": "Идентификатор дополнения.", - "restart_add_on": "Перезапустить дополнение", - "starts_an_add_on": "Запускает дополнение.", - "start_add_on": "Запустить дополнение", - "addon_stdin_description": "Записывает данные в stdin дополнения.", - "addon_stdin_name": "Записать данные в stdin дополнения", - "stops_an_add_on": "Останавливает дополнение.", - "stop_add_on": "Остановить дополнение", - "update_add_on": "Обновить дополнения", - "creates_a_full_backup": "Создаёт полную резервную копию.", - "compresses_the_backup_files": "Сжимает файлы резервных копий.", - "compressed": "Сжать", - "home_assistant_exclude_database": "Исключить базу данных Home Assistant", - "name_description": "Необязательно (по умолчанию = текущая дата и время).", - "create_a_full_backup": "Создать полную резервную копию", - "creates_a_partial_backup": "Создаёт частичную резервную копию.", - "add_ons": "Дополнения", - "folders": "Папки", - "homeassistant_description": "Включает в резервную копию настройки Home Assistant.", - "home_assistant_settings": "Настройки Home Assistant", - "create_a_partial_backup": "Создать частичную резервную копию", - "reboots_the_host_system": "Перезагружает операционную систему хоста.", - "reboot_the_host_system": "Перезагрузить хост", - "host_shutdown_description": "Завершает работу операционной системы хоста.", - "host_shutdown_name": "Завершить работу хоста", - "restores_from_full_backup": "Возвращает к сохранённому состоянию из полной резервной копии.", - "optional_password": "Опциональный пароль.", - "slug_description": "Фрагмент резервной копии для восстановления.", - "slug": "Фрагмент", - "restore_from_full_backup": "Восстановить из полной резервной копии", - "restore_partial_description": "Возвращает к сохранённому состоянию из частичной резервной копии.", - "restores_home_assistant": "Возвращает Home Assistant к сохранённому состоянию из резервной копии.", - "restore_from_partial_backup": "Восстановить из частичной резервной копии", - "broadcast_address": "Широковещательный адрес", - "broadcast_port_description": "Порт, на который должен быть отправлен \"волшебный\" пакет данных.", - "broadcast_port": "Широковещательный порт", - "mac_address": "MAC-адрес", - "send_magic_packet": "Разбудить устройство", - "command_description": "Команды для отправки в Google Assistant.", - "command": "Команда", - "media_player_entity": "Объект медиаплеера", - "send_text_command": "Send text command", - "clear_tts_cache": "Очистить кэш TTS", - "cache": "Кэш", - "entity_id_description": "Объект, на который следует ссылаться в записи журнала.", - "language_description": "Язык текста. По умолчанию используется язык сервера.", - "options_description": "Словарь, содержащий специфические для интеграции опции.", - "say_a_tts_message": "Произнести TTS-сообщение", - "media_player_entity_id_description": "Медиаплееры для воспроизведения сообщения.", - "speak": "Произнести", - "stops_a_running_script": "Останавливает работающий скрипт.", - "request_sync_description": "Отправляет команду request_sync в Google.", - "agent_user_id": "Идентификатор пользователя", - "request_sync": "Запрос синхронизации", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Переход", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", + "dump_log_objects": "Выгрузить объекты в журнал", + "log_current_tasks_description": "Ведёт журнал всех текущих задач asyncio.", + "log_current_asyncio_tasks": "Ведёт журнал текущих задач asyncio", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Запускает профилировщик памяти.", + "seconds": "Секунды", + "memory": "Память", + "enabled_description": "Включить или отключить отладку asyncio.", + "set_asyncio_debug": "Установить отладку asyncio", + "starts_the_profiler": "Запускает профилировщик.", + "max_objects_description": "Максимальное количество объектов для записи в журнал.", + "maximum_objects": "Максимальное количество объектов", + "scan_interval_description": "Количество секунд между выгрузкой объектов.", + "scan_interval": "Интервал сканирования", + "start_logging_object_sources": "Начать регистрацию источников объектов", + "start_log_objects_description": "Начинает регистрацию роста объектов в памяти.", + "start_logging_objects": "Начать регистрацию объектов", + "stop_logging_object_sources": "Прекратить регистрацию источников объектов", + "stop_log_objects_description": "Останавливает регистрацию роста объектов в памяти.", + "stop_logging_objects": "Прекратить регистрацию объектов", + "request_sync_description": "Отправляет команду request_sync в Google.", + "agent_user_id": "Идентификатор пользователя", + "request_sync": "Запрос синхронизации", + "reload_resources_description": "Перезагружает YAML-конфигурацию ресурсов панелей.", + "clears_all_log_entries": "Очищает все записи журнала.", + "clear_all": "Очистить всё", + "write_log_entry": "Запись в журнал.", + "log_level": "Уровень журнала.", + "level": "Уровень", + "message_to_log": "Сообщение для журнала.", + "write": "Записать", + "set_value_description": "Устанавливает значение числа.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Создать временный URL-адрес строгого подключения", + "toggles_the_siren_on_off": "Включает или выключает сирену.", + "turns_the_siren_off": "Выключает сирену.", + "turns_the_siren_on": "Включает сирену.", + "tone": "Тон", + "create_event_description": "Добавить новое событие в календарь.", + "location_description": "Местоположение события. Необязательно.", + "start_date_description": "Дата начала события на весь день.", + "create_event": "Создать событие", + "get_events": "Получить события", + "list_event": "Список событий", + "closes_a_cover": "Закрывает шторы, жалюзи или ворота.", + "close_cover_tilt_description": "Переводит ламели в закрытое положение.", + "opens_a_cover": "Открывает шторы, жалюзи или ворота.", + "tilts_a_cover_open": "Переводит ламели в открытое положение.", + "set_cover_position_description": "Открывает или закрывает на определенную позицию.", + "target_position": "Целевая позиция.", + "set_position": "Установить позицию", + "target_tilt_positition": "Целевое положение наклона ламелей.", + "set_tilt_position": "Установить положение наклона ламелей", + "stops_the_cover_movement": "Останавливает открытие или закрытие.", + "stop_cover_tilt_description": "Останавливает наклон ламелей.", + "stop_tilt": "Остановить наклон ламелей", + "toggles_a_cover_open_closed": "Открывает и закрывает шторы, жалюзи или ворота.", + "toggle_cover_tilt_description": "Переключает наклон ламелей в открытое или закрытое положение.", + "toggle_tilt": "Переключить наклон ламелей", "check_configuration": "Проверить конфигурацию", "reload_all": "Перезагрузить все", "reload_config_entry_description": "Перезагружает указанную запись конфигурации.", @@ -2691,103 +2740,54 @@ "set_location": "Установить местоположение", "stops_home_assistant": "Останавливает работу Home Assistant.", "update_entity": "Обновить объект", - "create_event_description": "Добавить новое событие в календарь.", - "location_description": "Местоположение события. Необязательно.", - "start_date_description": "Дата начала события на весь день.", - "create_event": "Создать событие", - "get_events": "Получить события", - "list_event": "Список событий", - "toggles_a_switch_on_off": "Включает или выключает выключатель.", - "turns_a_switch_off": "Выключает выключатель.", - "turns_a_switch_on": "Включает выключатель.", - "disables_the_motion_detection": "Отключает обнаружение движения.", - "disable_motion_detection": "Отключить обнаружение движения", - "enables_the_motion_detection": "Включает обнаружение движения.", - "enable_motion_detection": "Включить обнаружение движения", - "format_description": "Формат потока, поддерживаемый медиаплеером.", - "format": "Формат", - "media_player_description": "Медиаплееры для потоковой передачи данных.", - "play_stream": "Воспроизвести поток", - "filename": "Имя файла", - "lookback": "Ретроспектива", - "snapshot_description": "Делает моментальный снимок с камеры.", - "take_snapshot": "Сделать моментальный снимок", - "turns_off_the_camera": "Выключает камеру.", - "turns_on_the_camera": "Включает камеру.", - "notify_description": "Отправляет уведомление выбранным целевым объектам.", - "data": "Данные", - "message_description": "Текст уведомления.", - "title_of_the_notification": "Заголовок уведомления.", - "send_a_persistent_notification": "Отправить постоянное уведомление", - "sends_a_notification_message": "Отправляет сообщение уведомления.", - "your_notification_message": "Сообщение уведомления.", - "title_description": "Необязательный заголовок уведомления.", - "send_a_notification_message": "Отправить сообщение уведомления", "creates_a_new_backup": "Создаёт новую резервную копию.", - "see_description": "Записывает данные отслеживания устройства.", - "battery_description": "Уровень заряда аккумулятора устройства.", - "gps_coordinates": "Координаты GPS", - "gps_accuracy_description": "Точность определения GPS-координат.", - "hostname_of_the_device": "Имя хоста устройства.", - "hostname": "Имя хоста", - "mac_description": "MAC-адрес устройства.", - "see": "Отследить", - "log_description": "Создает пользовательскую запись в журнале.", - "log": "Создать запись", - "apply_description": "Активирует сцену с заданной конфигурацией.", - "entities_description": "Список объектов и их целевое состояние.", - "entities_state": "Состояние объектов", - "apply": "Применить", - "creates_a_new_scene": "Создает новую сцену.", - "scene_id_description": "Идентификатор объекта новой сцены.", - "scene_entity_id": "Идентификатор объекта сцены", - "snapshot_entities": "Снимок состояния объектов", - "delete_description": "Удаляет динамически созданную сцену.", - "activates_a_scene": "Активирует сцену.", - "turns_auxiliary_heater_on_off": "Включает или выключает дополнительный обогреватель.", - "aux_heat_description": "Новое значение вспомогательного обогревателя.", - "turn_on_off_auxiliary_heater": "Включить или выключить дополнительный обогреватель", - "sets_fan_operation_mode": "Устанавливает режим работы вентиляции.", - "fan_operation_mode": "Режим работы вентиляции.", - "set_fan_mode": "Установить режим вентиляции", - "sets_target_humidity": "Устанавливает целевую влажность.", - "set_target_humidity": "Установить целевую влажность", - "sets_hvac_operation_mode": "Устанавливает режим работы системы отопления, вентиляции и кондиционирования воздуха.", - "hvac_operation_mode": "Режим работы системы отопления, вентиляции и кондиционирования воздуха.", - "hvac_mode": "Режим работы ОВиК", - "set_hvac_mode": "Установить режим работы ОВиК", - "sets_preset_mode": "Устанавливает предустановленный режим.", - "set_preset_mode": "Установить предустановленный режим", - "sets_swing_operation_mode": "Устанавливает режим качания воздушных шторок.", - "swing_operation_mode": "Режим качания воздушных шторок.", - "set_swing_mode": "Установить режим качания", - "sets_target_temperature": "Устанавливает целевую температуру.", - "high_target_temperature": "Верхний диапазон температуры.", - "low_target_temperature": "Нижний диапазон температуры.", - "set_target_temperature": "Установить целевую температуру", - "turns_climate_device_off": "Выключает климатическое устройство.", - "turns_climate_device_on": "Включает климатическое устройство.", - "clears_all_log_entries": "Очищает все записи журнала.", - "clear_all": "Очистить всё", - "write_log_entry": "Запись в журнал.", - "log_level": "Уровень журнала.", - "level": "Уровень", - "message_to_log": "Сообщение для журнала.", - "write": "Записать", - "device_description": "Идентификатор устройства для отправки команды.", - "delete_command": "Удалить команду", - "alternative": "Альтернатива", - "command_type_description": "Тип команды, которую необходимо изучить.", - "command_type": "Тип команды", - "timeout_description": "Тайм-аут для изучения команды.", - "learn_command": "Изучить команду", - "delay_seconds": "Задержка", - "hold_seconds": "Время удержания", - "repeats": "Повторы", - "send_command": "Отправить команду", - "toggles_a_device_on_off": "Включает или выключает устройство.", - "turns_the_device_off": "Выключает устройство.", - "turn_on_description": "Отправляет команду включения питания.", + "decrement_description": "Уменьшает текущее значение на 1 шаг.", + "increment_description": "Увеличивает значение на 1 шаг.", + "sets_the_value": "Устанавливает значение.", + "the_target_value": "Целевое значение.", + "reloads_the_automation_configuration": "Перезагружает конфигурацию автоматизации.", + "toggle_description": "Включает или выключает медиаплеер.", + "trigger_description": "Запускает действия автоматизации.", + "skip_conditions": "Пропустить условия", + "trigger": "Активировать триггер", + "disables_an_automation": "Деактивирует автоматизацию.", + "stops_currently_running_actions": "Останавливает выполняемые в данный момент действия.", + "stop_actions": "Остановить действия", + "enables_an_automation": "Активирует автоматизацию.", + "restarts_an_add_on": "Перезапускает дополнение.", + "the_add_on_slug": "Идентификатор дополнения.", + "restart_add_on": "Перезапустить дополнение", + "starts_an_add_on": "Запускает дополнение.", + "start_add_on": "Запустить дополнение", + "addon_stdin_description": "Записывает данные в stdin дополнения.", + "addon_stdin_name": "Записать данные в stdin дополнения", + "stops_an_add_on": "Останавливает дополнение.", + "stop_add_on": "Остановить дополнение", + "update_add_on": "Обновить дополнения", + "creates_a_full_backup": "Создаёт полную резервную копию.", + "compresses_the_backup_files": "Сжимает файлы резервных копий.", + "compressed": "Сжать", + "home_assistant_exclude_database": "Исключить базу данных Home Assistant", + "name_description": "Необязательно (по умолчанию = текущая дата и время).", + "create_a_full_backup": "Создать полную резервную копию", + "creates_a_partial_backup": "Создаёт частичную резервную копию.", + "add_ons": "Дополнения", + "folders": "Папки", + "homeassistant_description": "Включает в резервную копию настройки Home Assistant.", + "home_assistant_settings": "Настройки Home Assistant", + "create_a_partial_backup": "Создать частичную резервную копию", + "reboots_the_host_system": "Перезагружает операционную систему хоста.", + "reboot_the_host_system": "Перезагрузить хост", + "host_shutdown_description": "Завершает работу операционной системы хоста.", + "host_shutdown_name": "Завершить работу хоста", + "restores_from_full_backup": "Возвращает к сохранённому состоянию из полной резервной копии.", + "optional_password": "Опциональный пароль.", + "slug_description": "Фрагмент резервной копии для восстановления.", + "slug": "Фрагмент", + "restore_from_full_backup": "Восстановить из полной резервной копии", + "restore_partial_description": "Возвращает к сохранённому состоянию из частичной резервной копии.", + "restores_home_assistant": "Возвращает Home Assistant к сохранённому состоянию из резервной копии.", + "restore_from_partial_backup": "Восстановить из частичной резервной копии", "clears_the_playlist": "Очищает плейлист.", "clear_playlist": "Очистить плейлист", "selects_the_next_track": "Выбирает следующий трек.", @@ -2801,11 +2801,10 @@ "announce": "Объявить", "enqueue": "Поставить в очередь", "repeat_mode_to_set": "Установить режим повтора.", - "select_sound_mode_description": "Выбирает определенный звуковой режим.", - "select_sound_mode": "Выбрать звуковой режим", + "select_sound_mode_description": "Выбирает определенный режим звучания.", + "select_sound_mode": "Выбрать режим звучания", "select_source": "Выбрать источник", "shuffle_description": "Включать ли режим случайного воспроизведения.", - "toggle_description": "Переключает (активирует или деактивирует) автоматизацию.", "unjoin": "Отсоединить", "turns_down_the_volume": "Уменьшает громкость.", "volume_mute_description": "Отключает или включает звук медиаплеера.", @@ -2814,149 +2813,6 @@ "sets_the_volume_level": "Устанавливает уровень громкости.", "set_volume": "Установить громкость", "turns_up_the_volume": "Увеличивает громкость.", - "topic_to_listen_to": "Тема для прослушивания.", - "export": "Экспорт", - "publish_description": "Публикует сообщение в теме MQTT.", - "the_payload_to_publish": "Данные для публикации.", - "payload": "Значение", - "payload_template": "Шаблон значения", - "qos": "QoS", - "retain": "Сохранять", - "topic_to_publish_to": "Тема для публикации.", - "publish": "Опубликовать", - "brightness_value": "Значение яркости", - "a_human_readable_color_name": "Удобочитаемое название цвета.", - "color_name": "Название цвета", - "color_temperature_in_mireds": "Цветовая температура в майредах.", - "light_effect": "Световой эффект.", - "flash": "Мигание", - "hue_sat_color": "Цвет в формате Hue/Sat", - "color_temperature_in_kelvin": "Цветовая температура в Кельвинах.", - "profile_description": "Название светового профиля, который следует использовать.", - "white_description": "Установить режим белого света.", - "xy_color": "Цвет в формате XY", - "turn_off_description": "Выключает один или несколько источников света.", - "brightness_step_description": "Изменение яркости на определенную величину.", - "brightness_step_value": "Значение шага яркости", - "brightness_step_pct_description": "Изменение яркости на определенный процент.", - "brightness_step": "Шаг яркости", - "rgbw_color": "Цвет в формате RGBW", - "rgbww_color": "Цвет в формате RGBWW", - "reloads_the_automation_configuration": "Перезагружает конфигурацию автоматизации.", - "trigger_description": "Запускает действия автоматизации.", - "skip_conditions": "Пропустить условия", - "trigger": "Активировать триггер", - "disables_an_automation": "Деактивирует автоматизацию.", - "stops_currently_running_actions": "Останавливает выполняемые в данный момент действия.", - "stop_actions": "Остановить действия", - "enables_an_automation": "Активирует автоматизацию.", - "dashboard_path": "Путь к панели", - "view_path": "Путь вкладки", - "show_dashboard_view": "Показать вкладку панели", - "toggles_the_siren_on_off": "Включает или выключает сирену.", - "turns_the_siren_off": "Выключает сирену.", - "turns_the_siren_on": "Включает сирену.", - "tone": "Тон", - "extract_media_url_description": "Извлечение URL-адреса мультимедиа из службы.", - "format_query": "Запрос формата", - "url_description": "URL-адрес, по которому можно найти мультимедиа.", - "media_url": "URL-адрес мультимедиа", - "get_media_url": "Получить URL-адрес мультимедиа", - "play_media_description": "Загружает файл с указанного URL-адреса.", - "removes_a_group": "Удаляет группу.", - "object_id": "Идентификатор", - "creates_updates_a_user_group": "Создаёт или обновляет пользовательскую группу.", - "add_entities": "Добавить объекты", - "icon_description": "Название иконки для группы.", - "name_of_the_group": "Название группы.", - "remove_entities": "Удалить объекты", - "selects_the_first_option": "Выбирает первый вариант.", - "first": "Выбрать первый вариант", - "selects_the_last_option": "Выбирает последний вариант.", - "select_the_next_option": "Выбирает следующий вариант.", - "selects_an_option": "Выбирает вариант.", - "option_to_be_selected": "Вариант для выбора.", - "selects_the_previous_option": "Выбирает предыдущий вариант.", - "create_description": "Отображает уведомление на панели **Уведомления**.", - "notification_id": "Идентификатор уведомления", - "dismiss_description": "Удаляет уведомление с панели **Уведомления**.", - "notification_id_description": "Идентификатор удаляемого уведомления.", - "dismiss_all_description": "Удаляет все уведомления с панели **Уведомления**.", - "cancels_a_timer": "Отменяет таймер.", - "changes_a_timer": "Изменяет таймер.", - "finishes_a_timer": "Останавливает таймер.", - "pauses_a_timer": "Приостанавливает таймер.", - "starts_a_timer": "Запускает таймер.", - "duration_description": "Время таймера до завершения [необязательно].", - "sets_the_options": "Настраивает список вариантов.", - "list_of_options": "Список вариантов.", - "set_options": "Настроить варианты", - "clear_skipped_update": "Очистить пропущенное обновление", - "install_update": "Установить обновление", - "skip_description": "Отмечает доступное обновление как пропущенное.", - "skip_update": "Пропустить обновление", - "set_default_level_description": "Устанавливает уровень журналирования по умолчанию для интеграций.", - "level_description": "Уровень серьезности по умолчанию для всех интеграций.", - "set_default_level": "Установить уровень по умолчанию", - "set_level": "Установить уровень", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Подключить удалённый доступ", - "remote_disconnect": "Отключить удалённый доступ", - "set_value_description": "Устанавливает значение числа.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Закрывает шторы, жалюзи или ворота.", - "close_cover_tilt_description": "Переводит ламели в закрытое положение.", - "opens_a_cover": "Открывает шторы, жалюзи или ворота.", - "tilts_a_cover_open": "Переводит ламели в открытое положение.", - "set_cover_position_description": "Открывает или закрывает на определенную позицию.", - "target_position": "Целевая позиция.", - "set_position": "Установить позицию", - "target_tilt_positition": "Целевое положение наклона ламелей.", - "set_tilt_position": "Установить положение наклона ламелей", - "stops_the_cover_movement": "Останавливает открытие или закрытие.", - "stop_cover_tilt_description": "Останавливает наклон ламелей.", - "stop_tilt": "Остановить наклон ламелей", - "toggles_a_cover_open_closed": "Открывает и закрывает шторы, жалюзи или ворота.", - "toggle_cover_tilt_description": "Переключает наклон ламелей в открытое или закрытое положение.", - "toggle_tilt": "Переключить наклон ламелей", - "toggles_the_helper_on_off": "Включает или выключает вспомогательный объект.", - "turns_off_the_helper": "Выключает вспомогательный объект.", - "turns_on_the_helper": "Включает вспомогательный объект.", - "decrement_description": "Уменьшает текущее значение на 1 шаг.", - "increment_description": "Увеличивает значение на 1 шаг.", - "sets_the_value": "Устанавливает значение.", - "the_target_value": "Целевое значение.", - "dump_log_objects": "Выгрузить объекты в журнал", - "log_current_tasks_description": "Ведёт журнал всех текущих задач asyncio.", - "log_current_asyncio_tasks": "Ведёт журнал текущих задач asyncio", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Запускает профилировщик памяти.", - "seconds": "Секунды", - "memory": "Память", - "enabled_description": "Включить или отключить отладку asyncio.", - "set_asyncio_debug": "Установить отладку asyncio", - "starts_the_profiler": "Запускает профилировщик.", - "max_objects_description": "Максимальное количество объектов для записи в журнал.", - "maximum_objects": "Максимальное количество объектов", - "scan_interval_description": "Количество секунд между выгрузкой объектов.", - "scan_interval": "Интервал сканирования", - "start_logging_object_sources": "Начать регистрацию источников объектов", - "start_log_objects_description": "Начинает регистрацию роста объектов в памяти.", - "start_logging_objects": "Начать регистрацию объектов", - "stop_logging_object_sources": "Прекратить регистрацию источников объектов", - "stop_log_objects_description": "Останавливает регистрацию роста объектов в памяти.", - "stop_logging_objects": "Прекратить регистрацию объектов", - "process_description": "Запускает диалог из расшифрованного текста.", - "conversation_id": "Идентификатор диалога", - "transcribed_text_input": "Расшифрованный ввод текста.", - "process": "Обработать", - "reloads_the_intent_configuration": "Перезагружает конфигурацию намерений.", - "conversation_agent_to_reload": "Диалоговая система для перезагрузки.", "apply_filter": "Применить фильтр", "days_to_keep": "Количество дней для сохранения", "repack": "Перепаковать", @@ -2965,35 +2821,6 @@ "entity_globs_to_remove": "Глобальные параметры объектов для удаления", "entities_to_remove": "Объекты для удаления", "purge_entities": "Очистить объекты", - "reload_resources_description": "Перезагружает YAML-конфигурацию ресурсов панелей.", - "reload_themes_description": "Перезагружает YAML-конфигурацию тем пользовательского интерфейса.", - "reload_themes": "Перезагрузить темы", - "name_of_a_theme": "Название темы.", - "set_the_default_theme": "Установить тему по умолчанию", - "decrements_a_counter": "Уменьшает значение счетчика.", - "increments_a_counter": "Увеличивает значение счетчика.", - "resets_a_counter": "Сбрасывает счетчик.", - "sets_the_counter_value": "Устанавливает значение счетчика.", - "code_description": "Код, используемый для разблокировки замка.", - "arm_with_custom_bypass": "Поставить на охрану с исключениями", - "alarm_arm_vacation_description": "Включает сигнализацию в режиме \"Отпуск\".", - "disarms_the_alarm": "Отключает сигнализацию.", - "alarm_trigger_description": "Активирует внешний триггер тревоги.", - "get_weather_forecast": "Получить прогноз погоды.", - "type_description": "Тип прогноза: ежедневный, ежечасный или два раза в день.", - "forecast_type": "Тип прогноза", - "get_forecast": "Получить прогноз", - "get_weather_forecasts": "Получить прогнозы погоды.", - "get_forecasts": "Получить прогнозы", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", "decrease_speed_description": "Уменьшает скорость вращения вентилятора.", "percentage_step_description": "Увеличивает скорость на процентный шаг.", "decrease_speed": "Уменьшить скорость", @@ -3008,37 +2835,273 @@ "speed_of_the_fan": "Скорость вращения вентилятора.", "percentage": "Процент", "set_speed": "Установить скорость", + "sets_preset_mode": "Активирует предустановку.", + "set_preset_mode": "Активировать предустановку", "toggles_the_fan_on_off": "Включает или выключает вентилятор.", "turns_fan_off": "Выключает вентилятор.", "turns_fan_on": "Включает вентилятор.", - "locks_a_lock": "Запирает замок.", - "opens_a_lock": "Открывает замок.", - "unlocks_a_lock": "Отпирает замок.", - "press_the_button_entity": "Нажимает на виртуальную кнопку.", - "bridge_identifier": "Bridge identifier", - "configuration_payload": "Configuration payload", - "entity_description": "Represents a specific device endpoint in deCONZ.", - "path": "Путь", - "configure": "Configure", - "device_refresh_description": "Refreshes available devices from deCONZ.", - "device_refresh": "Device refresh", - "remove_orphaned_entries": "Remove orphaned entries", + "apply_description": "Активирует сцену с заданной конфигурацией.", + "entities_description": "Список объектов и их целевое состояние.", + "entities_state": "Состояние объектов", + "transition": "Переход", + "apply": "Применить", + "creates_a_new_scene": "Создает новую сцену.", + "scene_id_description": "Идентификатор объекта новой сцены.", + "scene_entity_id": "Идентификатор объекта сцены", + "snapshot_entities": "Снимок состояния объектов", + "delete_description": "Удаляет динамически созданную сцену.", + "activates_a_scene": "Активирует сцену.", + "selects_the_first_option": "Выбирает первый вариант.", + "first": "Выбрать первый вариант", + "selects_the_last_option": "Выбирает последний вариант.", + "select_the_next_option": "Выбирает следующий вариант.", + "selects_an_option": "Выбирает вариант.", + "option_to_be_selected": "Вариант для выбора.", + "selects_the_previous_option": "Выбирает предыдущий вариант.", + "sets_the_options": "Настраивает список вариантов.", + "list_of_options": "Список вариантов.", + "set_options": "Настроить варианты", "closes_a_valve": "Закрывает клапан.", "opens_a_valve": "Открывает клапан.", "set_valve_position_description": "Перемещает клапан в определенную позицию.", "stops_the_valve_movement": "Останавливает движение клапана.", "toggles_a_valve_open_closed": "Переключает клапан в открытое/закрытое положение.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Команды для отправки в Google Assistant.", + "command": "Команда", + "media_player_entity": "Объект медиаплеера", + "send_text_command": "Send text command", + "code_description": "Код, используемый для разблокировки замка.", + "arm_with_custom_bypass": "Поставить на охрану с исключениями", + "alarm_arm_vacation_description": "Включает сигнализацию в режиме \"Отпуск\".", + "disarms_the_alarm": "Отключает сигнализацию.", + "alarm_trigger_description": "Активирует внешний триггер тревоги.", + "extract_media_url_description": "Извлечение URL-адреса мультимедиа из службы.", + "format_query": "Запрос формата", + "url_description": "URL-адрес, по которому можно найти мультимедиа.", + "media_url": "URL-адрес мультимедиа", + "get_media_url": "Получить URL-адрес мультимедиа", + "play_media_description": "Загружает файл с указанного URL-адреса.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Нажимает на виртуальную кнопку.", + "see_description": "Записывает данные отслеживания устройства.", + "battery_description": "Уровень заряда аккумулятора устройства.", + "gps_coordinates": "Координаты GPS", + "gps_accuracy_description": "Точность определения GPS-координат.", + "hostname_of_the_device": "Имя хоста устройства.", + "hostname": "Имя хоста", + "mac_description": "MAC-адрес устройства.", + "mac_address": "MAC-адрес", + "see": "Отследить", + "process_description": "Запускает диалог из расшифрованного текста.", + "conversation_id": "Идентификатор диалога", + "language_description": "Язык, используемый для синтеза речи.", + "transcribed_text_input": "Расшифрованный ввод текста.", + "process": "Обработать", + "reloads_the_intent_configuration": "Перезагружает конфигурацию намерений.", + "conversation_agent_to_reload": "Диалоговая система для перезагрузки.", + "create_description": "Отображает уведомление на панели **Уведомления**.", + "message_description": "Сообщение для записи в журнале.", + "notification_id": "Идентификатор уведомления", + "title_description": "Заголовок сообщения уведомления.", + "dismiss_description": "Удаляет уведомление с панели **Уведомления**.", + "notification_id_description": "Идентификатор удаляемого уведомления.", + "dismiss_all_description": "Удаляет все уведомления с панели **Уведомления**.", + "notify_description": "Отправляет уведомление выбранным целевым объектам.", + "data": "Данные", + "title_of_the_notification": "Заголовок уведомления.", + "send_a_persistent_notification": "Отправить постоянное уведомление", + "sends_a_notification_message": "Отправляет сообщение уведомления.", + "your_notification_message": "Сообщение уведомления.", + "send_a_notification_message": "Отправить сообщение уведомления", + "device_description": "Идентификатор устройства для отправки команды.", + "delete_command": "Удалить команду", + "alternative": "Альтернатива", + "command_type_description": "Тип команды, которую необходимо изучить.", + "command_type": "Тип команды", + "timeout_description": "Тайм-аут для изучения команды.", + "learn_command": "Изучить команду", + "delay_seconds": "Задержка", + "hold_seconds": "Время удержания", + "repeats": "Повторы", + "send_command": "Отправить команду", + "toggles_a_device_on_off": "Включает или выключает устройство.", + "turns_the_device_off": "Выключает устройство.", + "turn_on_description": "Отправляет команду включения питания.", + "stops_a_running_script": "Останавливает работающий скрипт.", + "locks_a_lock": "Запирает замок.", + "opens_a_lock": "Открывает замок.", + "unlocks_a_lock": "Отпирает замок.", + "turns_auxiliary_heater_on_off": "Включает или выключает дополнительный обогреватель.", + "aux_heat_description": "Новое значение вспомогательного обогревателя.", + "turn_on_off_auxiliary_heater": "Включить или выключить дополнительный обогреватель", + "sets_fan_operation_mode": "Устанавливает режим работы вентиляции.", + "fan_operation_mode": "Режим работы вентиляции.", + "set_fan_mode": "Установить режим вентиляции", + "sets_target_humidity": "Устанавливает целевую влажность.", + "set_target_humidity": "Установить целевую влажность", + "sets_hvac_operation_mode": "Устанавливает режим работы системы отопления, вентиляции и кондиционирования воздуха.", + "hvac_operation_mode": "Режим работы системы отопления, вентиляции и кондиционирования воздуха.", + "set_hvac_mode": "Установить режим работы ОВиК", + "sets_swing_operation_mode": "Устанавливает режим качания воздушных шторок.", + "swing_operation_mode": "Режим качания воздушных шторок.", + "set_swing_mode": "Установить режим качания", + "sets_target_temperature": "Устанавливает целевую температуру.", + "high_target_temperature": "Верхний диапазон температуры.", + "low_target_temperature": "Нижний диапазон температуры.", + "set_target_temperature": "Установить целевую температуру", + "turns_climate_device_off": "Выключает климатическое устройство.", + "turns_climate_device_on": "Включает климатическое устройство.", "add_event_description": "Добавляет новое событие календаря.", "calendar_id_description": "ID календаря, который вы хотите.", "calendar_id": "ID календаря", "description_description": "Описание события. Необязательно.", "summary_description": "Выступает в роли названия события.", "creates_event": "Создает событие", + "dashboard_path": "Путь к панели", + "view_path": "Путь вкладки", + "show_dashboard_view": "Показать вкладку панели", + "brightness_value": "Значение яркости", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Название цвета", + "color_temperature_in_mireds": "Цветовая температура в майредах.", + "light_effect": "Световой эффект.", + "hue_sat_color": "Hue/Sat-цвет", + "color_temperature_in_kelvin": "Цветовая температура в Кельвинах.", + "profile_description": "Название светового профиля для использования.", + "rgbw_color": "RGBW-цвет", + "rgbww_color": "RGBWW-цвет", + "white_description": "Установить режим белого света.", + "xy_color": "XY-цвет", + "turn_off_description": "Выключает один или несколько источников света.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Тема для прослушивания.", + "export": "Экспорт", + "publish_description": "Публикует сообщение в теме MQTT.", + "the_payload_to_publish": "Данные для публикации.", + "payload_template": "Шаблон значения", + "qos": "QoS", + "retain": "Сохранять", + "topic_to_publish_to": "Тема для публикации.", + "publish": "Опубликовать", "ptz_move_description": "Move the camera with a specific speed.", "ptz_move_speed": "PTZ move speed.", "ptz_move": "PTZ move", + "log_description": "Создает пользовательскую запись в журнале.", + "entity_id_description": "Медиаплееры для воспроизведения сообщения.", + "log": "Создать запись", + "toggles_a_switch_on_off": "Включает или выключает выключатель.", + "turns_a_switch_off": "Выключает выключатель.", + "turns_a_switch_on": "Включает выключатель.", + "reload_themes_description": "Перезагружает YAML-конфигурацию тем пользовательского интерфейса.", + "reload_themes": "Перезагрузить темы", + "name_of_a_theme": "Название темы.", + "set_the_default_theme": "Установить тему по умолчанию", + "toggles_the_helper_on_off": "Включает или выключает вспомогательный объект.", + "turns_off_the_helper": "Выключает вспомогательный объект.", + "turns_on_the_helper": "Включает вспомогательный объект.", + "decrements_a_counter": "Уменьшает значение счетчика.", + "increments_a_counter": "Увеличивает значение счетчика.", + "resets_a_counter": "Сбрасывает счетчик.", + "sets_the_counter_value": "Устанавливает значение счетчика.", + "remote_connect": "Подключить удалённый доступ", + "remote_disconnect": "Отключить удалённый доступ", + "get_weather_forecast": "Получить прогноз погоды.", + "type_description": "Тип прогноза: ежедневный, ежечасный или два раза в день.", + "forecast_type": "Тип прогноза", + "get_forecast": "Получить прогноз", + "get_weather_forecasts": "Получить прогнозы погоды.", + "get_forecasts": "Получить прогнозы", + "disables_the_motion_detection": "Отключает обнаружение движения.", + "disable_motion_detection": "Отключить обнаружение движения", + "enables_the_motion_detection": "Включает обнаружение движения.", + "enable_motion_detection": "Включить обнаружение движения", + "format_description": "Формат потока, поддерживаемый медиаплеером.", + "format": "Формат", + "media_player_description": "Медиаплееры для потоковой передачи данных.", + "play_stream": "Воспроизвести поток", + "filename": "Имя файла", + "lookback": "Ретроспектива", + "snapshot_description": "Делает моментальный снимок с камеры.", + "take_snapshot": "Сделать моментальный снимок", + "turns_off_the_camera": "Выключает камеру.", + "turns_on_the_camera": "Включает камеру.", + "clear_tts_cache": "Очистить кэш TTS", + "cache": "Кэш", + "options_description": "Словарь, содержащий специфические для интеграции опции.", + "say_a_tts_message": "Произнести TTS-сообщение", + "speak": "Произнести", + "broadcast_address": "Широковещательный адрес", + "broadcast_port_description": "Порт, на который должен быть отправлен \"волшебный\" пакет данных.", + "broadcast_port": "Широковещательный порт", + "send_magic_packet": "Разбудить устройство", "set_datetime_description": "Устанавливает дату и/или время.", "the_target_date": "Целевая дата.", "datetime_description": "Целевая дата и время.", - "the_target_time": "Целевое время." + "the_target_time": "Целевое время.", + "bridge_identifier": "Bridge identifier", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Путь", + "configure": "Configure", + "device_refresh_description": "Refreshes available devices from deCONZ.", + "device_refresh": "Device refresh", + "remove_orphaned_entries": "Remove orphaned entries", + "removes_a_group": "Удаляет группу.", + "object_id": "Идентификатор", + "creates_updates_a_user_group": "Создаёт или обновляет пользовательскую группу.", + "add_entities": "Добавить объекты", + "icon_description": "Название иконки для группы.", + "name_of_the_group": "Название группы.", + "remove_entities": "Удалить объекты", + "cancels_a_timer": "Отменяет таймер.", + "changes_a_timer": "Изменяет таймер.", + "finishes_a_timer": "Останавливает таймер.", + "pauses_a_timer": "Приостанавливает таймер.", + "starts_a_timer": "Запускает таймер.", + "duration_description": "Время таймера до завершения [необязательно].", + "set_default_level_description": "Устанавливает уровень журналирования по умолчанию для интеграций.", + "level_description": "Уровень серьезности по умолчанию для всех интеграций.", + "set_default_level": "Установить уровень по умолчанию", + "set_level": "Установить уровень", + "clear_skipped_update": "Очистить пропущенное обновление", + "install_update": "Установить обновление", + "skip_description": "Отмечает доступное обновление как пропущенное.", + "skip_update": "Пропустить обновление" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/sk/sk.json b/packages/core/src/hooks/useLocale/locales/sk/sk.json index 973547c..ded6c68 100644 --- a/packages/core/src/hooks/useLocale/locales/sk/sk.json +++ b/packages/core/src/hooks/useLocale/locales/sk/sk.json @@ -107,7 +107,8 @@ "open": "Otvoriť", "open_door": "Otvorené dvere", "really_open": "Skutočne otvorené?", - "door_open": "Dvere otvorené", + "done": "Hotovo", + "ui_card_lock_open_door_success": "Dvere otvorené", "source": "Zdroj", "sound_mode": "Režim zvuku", "browse_media": "Prehliadať médiá", @@ -179,10 +180,11 @@ "twice_daily": "Dvakrát denne", "and": "A", "continue": "Pokračovať", - "back": "Späť", + "previous": "Predchádzajúce", "loading": "Načítanie…", "refresh": "Obnoviť", "delete": "Vymazať", + "clear_all": "Vymazať všetko", "download": "Stiahnuť", "duplicate": "Duplikovať", "remove": "Odstrániť", @@ -193,6 +195,7 @@ "leave": "Opustiť", "stay": "Zostať", "next": "Ďalej", + "back": "Späť", "undo": "Vrátiť späť", "move": "Presunúť", "save": "Uložiť", @@ -224,6 +227,9 @@ "media_content_type": "Druh mediálneho obsahu", "upload_failed": "Nahrávanie zlyhalo", "unknown_file": "Neznámy súbor", + "select_image": "Vybrať obrázok", + "upload_picture": "Nahrať obrázok", + "image_url": "Lokálna cesta alebo webová adresa URL", "latitude": "Zemepisná šírka", "longitude": "Zemepisná dĺžka", "radius": "Polomer", @@ -237,6 +243,7 @@ "date_time": "Dátum a čas", "duration": "Trvanie", "entity": "Entita", + "floor": "Podlaha", "icon": "Ikona", "location": "Umiestnenie", "number": "Číslo", @@ -275,6 +282,7 @@ "was_opened": "boli otvorené", "was_closed": "boli zavreté", "is_opening": "sa otvára", + "is_opened": "je otvorené", "is_closing": "sa zatvára", "was_unlocked": "bol odomknutý", "was_locked": "bol zamknutý", @@ -323,10 +331,13 @@ "sort_by_sortcolumn": "Zoradiť podľa {sortColumn}", "group_by_groupcolumn": "Zoskupiť podľa {groupColumn}", "don_t_group": "Nezoskupovať", + "collapse_all": "Zbaliť všetko", + "expand_all": "Rozbaliť všetko", "selected_selected": "Vybrané {selected}", "close_selection_mode": "Zatvorte režim výberu", "select_all": "Vybrať všetko", "select_none": "Odznačiť všetko", + "customize_table": "Prispôsobenie tabuľky", "conversation_agent": "Agent pre konverzáciu", "none": "Žiadna", "country": "Krajina", @@ -374,7 +385,6 @@ "ui_components_area_picker_add_dialog_text": "Zadajte názov novej oblasti.", "ui_components_area_picker_add_dialog_title": "Pridať novú oblasť", "show_floors": "Zobraziť podlahy", - "floor": "Podlaha", "add_new_floor_name": "Pridať nové poschodie ''{name}''", "add_new_floor": "Pridať novú podlahu…", "floor_picker_no_floors": "Nemáte žiadne podlahy", @@ -454,6 +464,9 @@ "last_month": "Minulý mesiac", "this_year": "Tento rok", "last_year": "Vlani", + "reset_to_default_size": "Obnoviť predvolenú veľkosť", + "number_of_columns": "Počet stĺpcov", + "number_of_rows": "Počet riadkov", "never": "Nikdy", "history_integration_disabled": "Integrácia histórie je deaktivovaná", "loading_state_history": "Načítava sa história stavov...", @@ -485,6 +498,10 @@ "filtering_by": "Filtrovanie podľa", "number_hidden": "{number} skryté", "ungrouped": "Nezoskupené", + "customize": "Prispôsobiť", + "hide_column_title": "Skryť stĺpec {title}", + "show_column_title": "Zobraziť stĺpec {title}", + "restore_defaults": "Obnovenie predvolených nastavení", "message": "Správa", "gender": "Pohlavie", "male": "Muž", @@ -811,9 +828,9 @@ "unsupported": "Nepodporované", "more_info_about_entity": "Viac informácií o entite", "restart_home_assistant": "Reštartovať Home Assistant?", - "advanced_options": "Advanced options", + "advanced_options": "Pokročilé nastavenia", "quick_reload": "Rýchle opätovné načítanie", - "reload_description": "Znovu načíta pomocníkov z konfigurácie YAML.", + "reload_description": "Načíta zóny z konfigurácie YAML.", "reloading_configuration": "Opätovné načítanie konfigurácie", "failed_to_reload_configuration": "Opätovné načítanie konfigurácie zlyhalo", "restart_description": "Preruší všetky spustené automatizácie a skripty.", @@ -859,7 +876,7 @@ "enable_newly_added_entities": "Povoliť novo pridané entity.", "enable_polling_for_updates": "Povolenie dotazovania na aktualizácie.", "reconfiguring_device": "Rekonfigurácia zariadenia", - "configuring": "Konfigurácia", + "config": "Konfigurácia", "start_reconfiguration": "Spustenie rekonfigurácie", "device_reconfiguration_complete": "Rekonfigurácia zariadenia je dokončená.", "show_details": "Zobraziť podrobnosti", @@ -986,7 +1003,6 @@ "notification_toast_no_matching_link_found": "Nenájdený žiadny môj odkaz zhodný pre {path}", "app_configuration": "Konfigurácia aplikácie", "sidebar_toggle": "Prepínač bočného panela", - "done": "Hotovo", "hide_panel": "Skryť panel", "show_panel": "Zobraziť panel", "show_more_information": "Zobraziť viac informácií", @@ -1078,13 +1094,15 @@ "raw_editor_error_save_yaml": "Nepodarilo sa uložiť YAML: {error}", "raw_editor_error_remove": "Konfiguráciu sa nepodarilo odstrániť: {error}", "title_of_your_dashboard": "Názov vášho ovládacieho panela", - "edit_name": "Upraviť názov", + "edit_title": "Upraviť názov", "view_configuration": "Zobraziť konfiguráciu", "name_view_configuration": "{name} Zobraziť konfiguráciu", "add_view": "Pridať zobrazenie", + "background_title": "Pridajte do zobrazenia pozadie", "edit_view": "Upraviť zobrazenie", "move_view_left": "Presunúť zobrazenie doľava", "move_view_right": "Presunúť zobrazenie doprava", + "background": "Pozadie", "badges": "Odznaky", "view_type": "Typ zobrazenia", "masonry_default": "Konštrukcia (predvolená)", @@ -1093,8 +1111,8 @@ "sections_experimental": "Sekcie (experimentálne)", "subview": "Subview", "max_number_of_columns": "Maximálny počet stĺpcov", - "edit_in_visual_editor": "Upraviť pomocou vizuálneho editora", - "edit_in_yaml": "Upraviť pomocou YAML", + "edit_in_visual_editor": "Upraviť vo vizuálnom editore", + "edit_in_yaml": "Upraviť v YAML", "saving_failed": "Ukladanie zlyhalo", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Zobrazenie nemôžete zmeniť na iný typ, pretože migrácia zatiaľ nie je podporovaná. Ak chcete použiť iný typ zobrazenia, začnite od začiatku s novým zobrazením.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Nemôžete zmeniť svoje zobrazenie na typ zobrazenia 'sekcie', pretože migrácia zatiaľ nie je podporovaná. Ak chcete experimentovať so zobrazením sekcií, začnite od začiatku s novým zobrazením.", @@ -1116,6 +1134,7 @@ "increase_card_position": "Zvýšenie pozície karty", "more_options": "Viac možností", "search_cards": "Vyhľadať karty", + "layout": "Rozloženie", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Ktorú kartu chcete pridať do svojho zobrazenia {name}?", "move_card_error_title": "Karta sa nedá presunúť", "choose_a_view": "Vyberte zobrazenie", @@ -1134,7 +1153,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} a všetky jej karty budú odstránené.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} sa vymaže.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Táto časť", - "add_name": "Pridať názov", + "edit_section": "Upraviť sekciu", "suggest_card_header": "Vytvorili sme pre vás návrh", "pick_different_card": "Vyberte inú kartu", "add_to_dashboard": "Pridať do používateľského panelu", @@ -1337,182 +1356,127 @@ "ui_panel_lovelace_editor_color_picker_colors_dark_grey": "Tmavo šedá", "ui_panel_lovelace_editor_color_picker_colors_light_green": "Svetlo zelená", "violet": "Fialová", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Pridať názov", "warning_attribute_not_found": "Atribút {attribute} nie je k dispozícii v: {entity}", "entity_not_available_entity": "Entita nie je k dispozícií {entity}", "entity_is_non_numeric_entity": "Entita je nečíselná: {entity}", "warning_entity_unavailable": "Entita je momentálne nedostupná: {entity}", "invalid_timestamp": "Neplatná časová pečiatka", "invalid_display_format": "Neplatný formát zobrazenia", + "now": "Teraz", "compare_data": "Porovnať údaje", "reload_ui": "Znova načítať UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Prepínač", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Skupina", - "timer": "Časovač", - "zone": "Zóna", - "schedule": "Plánovanie", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", + "profiler": "Profiler", + "http": "HTTP", "cover": "Kryt", - "home_assistant_alerts": "Home Assistant Alerts", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Vstupné tlačidlo", + "samsungtv_smart": "SamsungTV Smart", + "device_tracker": "Sledovanie zariadenia", + "trace": "Trace", + "stream": "Stream", + "person": "Osoba", + "google_calendar": "Google Calendar", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", "input_boolean": "Logický vstup", - "http": "HTTP", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", + "input_datetime": "Vstupný dátum a čas", "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Konverzácia", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "webhook": "Webhook", + "tag": "Značka", + "diagnostics": "Diagnostiky", + "siren": "Siréna", + "fitbit": "Fitbit", + "automation": "Automatizácia", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Ventil", + "assist_pipeline": "Assist pipeline", "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Ventilátor", - "home_assistant_onboarding": "Home Assistant Onboarding", - "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", - "input_datetime": "Vstupný dátum a čas", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Skript", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Klimatizácia", + "conversation": "Konverzácia", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Veľkosť súboru", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Trvalé upozornenie", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Prihlasovacie údaje aplikácie", - "local_calendar": "Miestny kalendár", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Vstupný text", - "rpi_power_title": "Kontrola napájacieho zdroja Raspberry Pi", - "weather": "Počasie", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Skupina", + "auth": "Auth", + "thread": "Thread", + "zone": "Zóna", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Plánovanie", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Trvalé upozornenie", + "remote": "Diaľkové ovládanie", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Kontrola napájacieho zdroja Raspberry Pi", + "script": "Skript", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Prepínač", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Sledovanie zariadenia", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Počasie", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Diaľkové ovládanie", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "Binárny snímač", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Ventilátor", + "scene": "Scene", + "input_select": "Výber z možností", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Udalosť", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Udalosť", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Klimatizácia", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Počítadlo", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobilná aplikácia", - "diagnostics": "Diagnostiky", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Osoba", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Značka", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siréna", - "input_select": "Výber z možností", + "deconz": "deCONZ", + "timer": "Časovač", + "application_credentials": "Prihlasovacie údaje aplikácie", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automatizácia", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Vstupné tlačidlo", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Počítadlo", - "binary_sensor": "Binárny snímač", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Ventil", - "os_agent_version": "Verzia agenta OS", - "apparmor_version": "Verzia Apparmor", - "cpu_percent": "CPU percent", - "disk_free": "Disk voľný", - "disk_total": "Disk celkovo", - "disk_used": "Disk použitý", - "memory_percent": "Percento pamäte", - "version": "Verzia", - "newest_version": "Najnovšia verzia", + "local_calendar": "Miestny kalendár", "synchronize_devices": "Synchronizácia zariadení", - "device_name_current": "{device_name} prúd", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} aktuálna spotreba", - "today_s_consumption": "Dnešná spotreba", - "device_name_today_s_consumption": "{device_name} dnešná spotreba", - "total_consumption": "Celková spotreba", - "device_name_total_consumption": "{device_name} celková spotreba", - "device_name_voltage": "{device_name} napätie", - "led": "LED", - "bytes_received": "Prijaté bajty", - "server_country": "Krajina servera", - "server_id": "ID servera", - "server_name": "Názov servera", - "ping": "Ping", - "upload": "Nahrať", - "bytes_sent": "Odoslané bajty", - "air_quality_index": "Index kvality ovzdušia", - "illuminance": "Osvetlenie", - "noise": "Šum", - "overload": "Preťaženie", - "voltage": "Napätie", - "estimated_distance": "Odhadovaná vzdialenosť", - "vendor": "Výrobca", - "assist_in_progress": "Asistencia prebieha", - "auto_gain": "Automatické zosilnenie", - "mic_volume": "Hlasitosť mikrofónu", - "noise_suppression": "Potlačenie hluku", - "noise_suppression_level": "Úroveň potlačenia hluku", - "off": "Neaktívny", - "preferred": "Preferované", - "mute": "Stlmiť", - "satellite_enabled": "Satelit povolený", - "ding": "Ding", - "doorbell_volume": "Hlasitosť zvončeka", - "last_activity": "Posledná aktivita", - "last_ding": "Posledné cinknutie", - "last_motion": "Posledný pohyb", - "voice_volume": "Hlasitosť hlasu", - "volume": "Hlasitosť", - "wi_fi_signal_category": "Kategória signálu WiFi", - "wi_fi_signal_strength": "Sila signálu WiFi", - "battery_level": "Úroveň batérie", - "size": "Veľkosť", - "size_in_bytes": "Veľkosť v bajtoch", - "finished_speaking_detection": "Ukončená detekcia hovorenia", - "aggressive": "Agresívne", - "default": "Predvolený", - "relaxed": "Uvoľnené", - "call_active": "Hovor aktívne", - "quiet": "Tichý", + "last_scanned_by_device_id_name": "Posledné skenovanie podľa ID zariadenia", + "tag_id": "ID značky", "heavy": "Ťažké", "mild": "Mierne", "button_down": "Tlačidlo dole", @@ -1533,13 +1497,47 @@ "closing": "Zatvára sa", "failure": "Zlyhanie", "opened": "Otvorený", - "device_admin": "Správca zariadenia", - "kiosk_mode": "Kiosk režim", - "load_start_url": "Načítať počiatočnú adresu URL", - "restart_browser": "Reštartovanie prehliadača", - "restart_device": "Reštartovanie zariadenia", - "send_to_background": "Odoslať na pozadie", + "battery_level": "Úroveň batérie", + "os_agent_version": "Verzia agenta OS", + "apparmor_version": "Verzia Apparmor", + "cpu_percent": "CPU percent", + "disk_free": "Disk voľný", + "disk_total": "Disk celkovo", + "disk_used": "Disk použitý", + "memory_percent": "Percento pamäte", + "version": "Verzia", + "newest_version": "Najnovšia verzia", + "next_dawn": "Ďalšie svitanie", + "next_dusk": "Ďalší súmrak", + "next_midnight": "Ďalšia polnoc", + "next_noon": "Ďalšie poludnie", + "next_rising": "Ďalší východ slnka", + "next_setting": "Ďalší západ slnka", + "solar_azimuth": "Slnečný azimut", + "solar_elevation": "Solárna výška", + "solar_rising": "Solárny východ", + "compressor_energy_consumption": "Spotreba energie kompresora", + "compressor_estimated_power_consumption": "Odhadovaná spotreba energie kompresora", + "compressor_frequency": "Frekvencia kompresora", + "cool_energy_consumption": "Spotreba energie na chladenie", + "heat_energy_consumption": "Spotreba energie na kúrenie", + "inside_temperature": "Vnútorná teplota", + "outside_temperature": "Vonkajšia teplota", + "assist_in_progress": "Asistencia prebieha", + "preferred": "Preferované", + "finished_speaking_detection": "Ukončená detekcia hovorenia", + "aggressive": "Agresívne", + "default": "Predvolený", + "relaxed": "Uvoľnené", + "device_admin": "Správca zariadenia", + "kiosk_mode": "Kiosk režim", + "load_start_url": "Načítať počiatočnú adresu URL", + "restart_browser": "Reštartovanie prehliadača", + "restart_device": "Reštartovanie zariadenia", + "send_to_background": "Odoslať na pozadie", "bring_to_foreground": "Preniesť do popredia", + "screenshot": "Snímka obrazovky", + "overlay_message": "Správa prekrytia", "screen_brightness": "Jas obrazovky", "screen_off_timer": "Časovač vypnutia obrazovky", "screensaver_brightness": "Jas šetriča obrazovky", @@ -1555,33 +1553,85 @@ "maintenance_mode": "Režim údržby", "motion_detection": "Detekcia pohybu", "screensaver": "Šetrič obrazovky", - "compressor_energy_consumption": "Spotreba energie kompresora", - "compressor_estimated_power_consumption": "Odhadovaná spotreba energie kompresora", - "compressor_frequency": "Frekvencia kompresora", - "cool_energy_consumption": "Spotreba energie na chladenie", - "heat_energy_consumption": "Spotreba energie na kúrenie", - "inside_temperature": "Vnútorná teplota", - "outside_temperature": "Vonkajšia teplota", - "next_dawn": "Ďalšie svitanie", - "next_dusk": "Ďalší súmrak", - "next_midnight": "Ďalšia polnoc", - "next_noon": "Ďalšie poludnie", - "next_rising": "Ďalší východ slnka", - "next_setting": "Ďalší západ slnka", - "solar_azimuth": "Slnečný azimut", - "solar_elevation": "Solárna výška", - "solar_rising": "Solárny východ", - "calibration": "Kalibrácia", - "auto_lock_paused": "Automatické uzamknutie je pozastavené", - "timeout": "Časový limit", - "unclosed_alarm": "Neuzavretý alarm", - "unlocked_alarm": "Odomknutý alarm", - "bluetooth_signal": "Bluetooth signál", - "light_level": "Úroveň osvetlenia", - "wi_fi_signal": "WiFi signál", - "momentary": "Krátkodobý", - "pull_retract": "Ťahanie/vyťahovanie", + "battery_low": "Slabá batéria", + "cloud_connection": "Cloudové pripojenie", + "humidity_warning": "Upozornenie na vlhkosť", + "overheated": "Prehriaty", + "temperature_warning": "Teplotné varovanie", + "update_available": "Aktualizácia k dispozícii", + "dry": "Sušenie", + "wet": "Vlhko", + "stop_alarm": "Zastaviť budík", + "test_alarm": "Testovací alarm", + "turn_off_in": "Vypnúť v", + "smooth_off": "Hladké vypnutie", + "smooth_on": "Hladké zapnutie", + "temperature_offset": "Ofset teploty", + "alarm_sound": "Zvuk alarmu", + "alarm_volume": "Hlasitosť alarmu", + "light_preset": "Predvoľba svetla", + "alarm_source": "Zdroj alarmu", + "auto_off_at": "Automatické vypnutie o", + "available_firmware_version": "Dostupná verzia firmvéru", + "this_month_s_consumption": "Spotreba tento mesiac", + "today_s_consumption": "Dnešná spotreba", + "total_consumption": "Celková spotreba", + "device_name_current": "{device_name} prúd", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} aktuálna spotreba", + "current_firmware_version": "Aktuálna verzia firmvéru", + "device_time": "Čas zariadenia", + "on_since": "Od", + "report_interval": "Interval hlásenia", + "signal_strength": "Sila signálu", + "signal_level": "Úroveň signálu", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} dnešná spotreba", + "device_name_total_consumption": "{device_name} celková spotreba", + "voltage": "Napätie", + "device_name_voltage": "{device_name} napätie", + "auto_off_enabled": "Povolené automatické vypnutie", + "auto_update_enabled": "Automatická aktualizácia povolená", + "fan_sleep_mode": "Režim spánku ventilátora", + "led": "LED", + "smooth_transitions": "Plynulé prechody", + "process_process": "Proces {process}", + "disk_free_mount_point": "Disk voľný {mount_point}", + "disk_use_mount_point": "Disk použitie {mount_point}", + "disk_usage_mount_point": "Disk používanie {mount_point}", + "ipv_address_ip_address": "Adresa IPv6 {ip_address}", + "last_boot": "Posledné spustenie", + "load_m": "Záťaž (5m)", + "memory_use": "RAM použitá", + "memory_usage": "RAM využitie", + "network_in_interface": "Sieť vstup {interface}", + "network_out_interface": "Sieťový výstup {interface}", + "packets_in_interface": "Pakety prijaté {interface}", + "packets_out_interface": "Pakety odoslané {interface}", + "processor_temperature": "Teplota procesora", + "processor_use": "Používanie procesora", + "swap_free": "Bez swap", + "swap_use": "Swap používanie", + "swap_usage": "Swap využitie", + "network_throughput_in_interface": "Priepustnosť siete dovnútra {interface}", + "network_throughput_out_interface": "Priepustnosť siete von {interface}", + "estimated_distance": "Odhadovaná vzdialenosť", + "vendor": "Výrobca", + "air_quality_index": "Index kvality ovzdušia", + "illuminance": "Osvetlenie", + "noise": "Šum", + "overload": "Preťaženie", + "size": "Veľkosť", + "size_in_bytes": "Veľkosť v bajtoch", + "bytes_received": "Prijaté bajty", + "server_country": "Krajina servera", + "server_id": "ID servera", + "server_name": "Názov servera", + "ping": "Ping", + "upload": "Nahrať", + "bytes_sent": "Odoslané bajty", "animal": "Zviera", + "detected": "Zistené", "animal_lens": "Objektív pre zvieratá 1", "face": "Tvár", "face_lens": "Tvár objektív 1", @@ -1591,6 +1641,9 @@ "person_lens": "Osoba objektív 1", "pet": "Domáce zviera", "pet_lens": "Zviera objektív 1", + "sleep_status": "Stav spánku", + "awake": "Prebudiť", + "sleeping": "Úsporný režim", "vehicle": "Vozidlo", "vehicle_lens": "Vozidlo objektív 1", "visitor": "Návštevník", @@ -1648,23 +1701,26 @@ "image_sharpness": "Ostrosť obrázku", "motion_sensitivity": "Citlivosť na pohyb", "pir_sensitivity": "Citlivosť PIR", + "volume": "Hlasitosť", "zoom": "Priblíženie", "auto_quick_reply_message": "Automatická rýchla odpoveď", + "off": "Neaktívny", "auto_track_method": "Metóda automatického sledovania", "digital": "Digitálne", "digital_first": "Najskôr digitálne", "pan_tilt_first": "Najskôr otáčanie/nakláňanie", "day_night_mode": "Denný nočný režim", "black_white": "Čierna a biela", + "doorbell_led": "Zvonček LED", + "always_on": "Vždy zapnuté", + "state_alwaysonatnight": "Automatické a vždy zapnuté v noci", + "stay_off": "Zostať vypnutý", "floodlight_mode": "Režim Floodlight", "adaptive": "Prispôsobivé", "auto_adaptive": "Automatické prispôsobenie", "on_at_night": "Zapnuté v noci", "play_quick_reply_message": "Prehrať rýchlu odpoveď", "ptz_preset": "PTZ predvoľba", - "always_on": "Vždy zapnuté", - "state_alwaysonatnight": "Automatické a vždy zapnuté v noci", - "stay_off": "Zostať vypnutý", "battery_percentage": "Percento batérie", "battery_state": "Stav batérie", "charge_complete": "Nabíjanie dokončené", @@ -1678,6 +1734,7 @@ "hdd_hdd_index_storage": "HDD úložisko {hdd_index}", "ptz_pan_position": "Poloha otočenia PTZ", "sd_hdd_index_storage": "Úložisko SD {hdd_index}", + "wi_fi_signal": "WiFi signál", "auto_focus": "Automatické zaostrovanie", "auto_tracking": "Automatické sledovanie", "buzzer_on_event": "Bzučiak pri udalosti", @@ -1686,6 +1743,7 @@ "ftp_upload": "Nahrávanie na FTP", "guard_return": "Návrat strážcu", "hdr": "HDR", + "manual_record": "Manuálne nahrávanie", "pir_enabled": "PIR aktivované", "pir_reduce_false_alarm": "PIR znížiť falošný poplach", "ptz_patrol": "PTZ hliadka", @@ -1693,82 +1751,95 @@ "record": "Záznam", "record_audio": "Nahrávanie zvuku", "siren_on_event": "Siréna pri udalosti", - "process_process": "Proces {process}", - "disk_free_mount_point": "Disk voľný {mount_point}", - "disk_use_mount_point": "Disk použitie {mount_point}", - "disk_usage_mount_point": "Disk používanie {mount_point}", - "ipv_address_ip_address": "Adresa IPv6 {ip_address}", - "last_boot": "Posledné spustenie", - "load_m": "Záťaž (5m)", - "memory_use": "RAM použitá", - "memory_usage": "RAM využitie", - "network_in_interface": "Sieť vstup {interface}", - "network_out_interface": "Sieťový výstup {interface}", - "packets_in_interface": "Pakety prijaté {interface}", - "packets_out_interface": "Pakety odoslané {interface}", - "processor_temperature": "Teplota procesora", - "processor_use": "Používanie procesora", - "swap_free": "Bez swap", - "swap_use": "Swap používanie", - "swap_usage": "Swap využitie", - "network_throughput_in_interface": "Priepustnosť siete dovnútra {interface}", - "network_throughput_out_interface": "Priepustnosť siete von {interface}", - "device_trackers": "Sledovače zariadení", - "gps_accuracy": "Presnosť GPS", + "call_active": "Hovor aktívne", + "quiet": "Tichý", + "auto_gain": "Automatické zosilnenie", + "mic_volume": "Hlasitosť mikrofónu", + "noise_suppression": "Potlačenie hluku", + "noise_suppression_level": "Úroveň potlačenia hluku", + "mute": "Stlmiť", + "satellite_enabled": "Satelit povolený", + "calibration": "Kalibrácia", + "auto_lock_paused": "Automatické uzamknutie je pozastavené", + "timeout": "Časový limit", + "unclosed_alarm": "Neuzavretý alarm", + "unlocked_alarm": "Odomknutý alarm", + "bluetooth_signal": "Bluetooth signál", + "light_level": "Úroveň osvetlenia", + "momentary": "Krátkodobý", + "pull_retract": "Ťahanie/vyťahovanie", + "ding": "Ding", + "doorbell_volume": "Hlasitosť zvončeka", + "last_activity": "Posledná aktivita", + "last_ding": "Posledné cinknutie", + "last_motion": "Posledný pohyb", + "voice_volume": "Hlasitosť hlasu", + "wi_fi_signal_category": "Kategória signálu WiFi", + "wi_fi_signal_strength": "Sila signálu WiFi", + "automatic": "Automaticky", + "box": "Box", + "step": "Krok", + "apparent_power": "Zdanlivý výkon", + "atmospheric_pressure": "Atmosferický tlak", + "carbon_dioxide": "Oxid uhličitý", + "data_rate": "Rýchlosť prenosu dát", + "distance": "Vzdialenosť", + "stored_energy": "Uložená energia", + "frequency": "Frekvencia", + "irradiance": "Ožiarenie", + "nitrogen_dioxide": "Oxid dusičitý", + "nitrogen_monoxide": "Oxid dusnatý", + "nitrous_oxide": "Oxid dusný", + "ozone": "Ozón", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Účinník", + "precipitation_intensity": "Intenzita zrážok", + "pressure": "Tlak", + "reactive_power": "Jalový výkon", + "sound_pressure": "Akustický tlak", + "speed": "Rýchlosť", + "sulphur_dioxide": "Oxid siričitý", + "vocs": "VOCs", + "volume_flow_rate": "Objemový prietok", + "stored_volume": "Uložený objem", + "weight": "Hmotnosť", + "available_tones": "Dostupné tóny", + "end_time": "Čas ukončenia", + "start_time": "Doba spustenia", + "managed_via_ui": "Spravované cez používateľské rozhranie", + "next_event": "Ďalšia udalosť", + "stopped": "Zastavené", + "garage": "Garáž", "running_automations": "Spustené automatizácie", - "max_running_scripts": "Maximálny počet spustených skriptov", + "id": "ID", + "max_running_automations": "Maximálny počet spustených automatizácií", "run_mode": "Režim spustenia", "parallel": "Paralelne", "queued": "Fronta", "single": "Raz", - "end_time": "Čas ukončenia", - "start_time": "Doba spustenia", - "streaming": "Streamovanie", - "access_token": "Prístupový token", - "stream_type": "Typ streamu", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Chladenie", - "dry": "Sušenie", - "fan_only": "Iba ventilátor", - "heat_cool": "Vykurovanie / Chladenie", - "aux_heat": "Prídavné kúrenie", - "current_humidity": "Aktuálna vlhkosť", - "current_temperature": "Current Temperature", - "fan_mode": "Režim ventilátora", - "diffuse": "Difúzny", - "middle": "Stredný", - "top": "Hore", - "current_action": "Aktuálna akcia", - "heating": "Vykurovanie", - "preheating": "Predohrev", - "max_target_humidity": "Maximálna cieľová vlhkosť", - "max_target_temperature": "Maximálna cieľová teplota", - "min_target_humidity": "Minimálna cieľová vlhkosť", - "min_target_temperature": "Minimálna cieľová teplota", - "boost": "Turbo", - "comfort": "Komfort", - "eco": "Eco", - "sleep": "Spánok", - "presets": "Predvoľby", - "swing_mode": "Režim výkyvu", - "both": "Obidva", - "horizontal": "Horizontálny", - "upper_target_temperature": "Horná cieľová teplota", - "lower_target_temperature": "Dolná cieľová teplota", - "target_temperature_step": "Cieľový teplotný krok", - "buffering": "Načítanie", - "paused": "Pozastavený", - "playing": "Prehrávanie", - "standby": "Pohotovostný režim", - "app_id": "ID aplikácie", - "local_accessible_entity_picture": "Obrázok miestneho prístupného subjektu", - "group_members": "Členovia skupiny", - "muted": "Stlmené", + "not_charging": "Nenabíja sa", + "disconnected": "Odpojený", + "connected": "Pripojený", + "hot": "Horúci", + "no_light": "Bez svetla", + "light_detected": "Svetlo zistené", + "locked": "Zamknutý", + "unlocked": "Odomknutý", + "not_moving": "Nehýbe sa", + "unplugged": "Odpojené", + "not_running": "Nie je spustené", + "safe": "Zabezpečené", + "unsafe": "Nezabezpečené", + "tampering_detected": "Zistená manipulácia", + "buffering": "Načítanie", + "paused": "Pozastavený", + "playing": "Prehrávanie", + "standby": "Pohotovostný režim", + "app_id": "ID aplikácie", + "local_accessible_entity_picture": "Obrázok miestneho prístupného subjektu", + "group_members": "Členovia skupiny", + "muted": "Stlmené", "album_artist": "Interpret albumu", "content_id": "ID obsahu", "content_type": "Druh obsahu", @@ -1782,77 +1853,11 @@ "receiver": "Prijímač", "speaker": "Reproduktor", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Iba jas", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Teplota farby (mrd)", - "color_temperature_kelvin": "Teplota farby (Kelvin)", - "available_effects": "Dostupné efekty", - "maximum_color_temperature_kelvin": "Maximálna teplota farieb (Kelvin)", - "maximum_color_temperature_mireds": "Maximálna teplota farieb (mrd)", - "minimum_color_temperature_kelvin": "Minimálna teplota farby (Kelvin)", - "minimum_color_temperature_mireds": "Minimálna teplota farby (mrd)", - "available_color_modes": "Dostupné farebné režimy", - "event_type": "Typ udalosti", - "event_types": "Typy udalostí", - "doorbell": "Domový zvonček", - "available_tones": "Dostupné tóny", - "locked": "Zamknutý", - "unlocked": "Odomknutý", - "members": "Členovia", - "managed_via_ui": "Spravované cez používateľské rozhranie", - "id": "ID", - "max_running_automations": "Maximálny počet spustených automatizácií", - "finishes_at": "Končí o", - "remaining": "Zostávajúce", - "next_event": "Ďalšia udalosť", - "update_available": "Aktualizácia k dispozícii", - "auto_update": "Automatická aktualizácia", - "in_progress": "Prebieha", - "installed_version": "Inštalovaná verzia", - "latest_version": "Posledná verzia", - "release_summary": "Súhrn vydania", - "release_url": "URL vydania", - "skipped_version": "Vynechaná verzia", - "firmware": "Firmvér", - "automatic": "Automaticky", - "box": "Box", - "step": "Krok", - "apparent_power": "Zdanlivý výkon", - "atmospheric_pressure": "Atmosferický tlak", - "carbon_dioxide": "Oxid uhličitý", - "data_rate": "Rýchlosť prenosu dát", - "distance": "Vzdialenosť", - "stored_energy": "Uložená energia", - "frequency": "Frekvencia", - "irradiance": "Ožiarenie", - "nitrogen_dioxide": "Oxid dusičitý", - "nitrogen_monoxide": "Oxid dusnatý", - "nitrous_oxide": "Oxid dusný", - "ozone": "Ozón", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Účinník", - "precipitation_intensity": "Intenzita zrážok", - "pressure": "Tlak", - "reactive_power": "Jalový výkon", - "signal_strength": "Sila signálu", - "sound_pressure": "Akustický tlak", - "speed": "Rýchlosť", - "sulphur_dioxide": "Oxid siričitý", - "vocs": "VOCs", - "volume_flow_rate": "Objemový prietok", - "stored_volume": "Uložený objem", - "weight": "Hmotnosť", - "stopped": "Zastavené", - "garage": "Garáž", - "max_length": "Max. dĺžka", - "min_length": "Min. dĺžka", - "pattern": "Vzor", + "above_horizon": "Nad horizontom", + "below_horizon": "Za horizontom", + "oscillating": "Oscilujúce", + "speed_step": "Rýchlostný krok", + "available_preset_modes": "Dostupné prednastavené režimy", "armed_away": "Zabezpečený v neprítomnosti", "armed_custom_bypass": "Zakódované prispôsobené vylúčenie", "armed_home": "Zabezpečený doma", @@ -1864,15 +1869,71 @@ "code_for_arming": "Kód pre zabezpečenie", "not_required": "Nevyžaduje sa", "code_format": "Formát kódu", + "gps_accuracy": "Presnosť GPS", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Typ udalosti", + "event_types": "Typy udalostí", + "doorbell": "Domový zvonček", + "device_trackers": "Sledovače zariadení", + "max_running_scripts": "Maximálny počet spustených skriptov", + "jammed": "Zaseknutý", + "locking": "Zamknutie", + "unlocking": "Odblokovanie", + "cool": "Chladenie", + "fan_only": "Iba ventilátor", + "heat_cool": "Vykurovanie / Chladenie", + "aux_heat": "Prídavné kúrenie", + "current_humidity": "Aktuálna vlhkosť", + "current_temperature": "Current Temperature", + "fan_mode": "Režim ventilátora", + "diffuse": "Difúzny", + "middle": "Stredný", + "top": "Hore", + "current_action": "Aktuálna akcia", + "heating": "Vykurovanie", + "preheating": "Predohrev", + "max_target_humidity": "Maximálna cieľová vlhkosť", + "max_target_temperature": "Maximálna cieľová teplota", + "min_target_humidity": "Minimálna cieľová vlhkosť", + "min_target_temperature": "Minimálna cieľová teplota", + "boost": "Turbo", + "comfort": "Komfort", + "eco": "Eco", + "sleep": "Spánok", + "presets": "Predvoľby", + "swing_mode": "Režim výkyvu", + "both": "Obidva", + "horizontal": "Horizontálny", + "upper_target_temperature": "Horná cieľová teplota", + "lower_target_temperature": "Dolná cieľová teplota", + "target_temperature_step": "Cieľový teplotný krok", "last_reset": "Posledný reset", "possible_states": "Možné stavy", "state_class": "Trieda stavu", "measurement": "Meranie", "total": "Celkom", "total_increasing": "Celkový nárast", + "conductivity": "Vodivosť", "data_size": "Veľkosť údajov", "balance": "Vyváženosť", "timestamp": "Časová pečiatka", + "color_mode": "Color Mode", + "brightness_only": "Iba jas", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Teplota farby (mrd)", + "color_temperature_kelvin": "Teplota farby (Kelvin)", + "available_effects": "Dostupné efekty", + "maximum_color_temperature_kelvin": "Maximálna teplota farieb (Kelvin)", + "maximum_color_temperature_mireds": "Maximálna teplota farieb (mrd)", + "minimum_color_temperature_kelvin": "Minimálna teplota farby (Kelvin)", + "minimum_color_temperature_mireds": "Minimálna teplota farby (mrd)", + "available_color_modes": "Dostupné farebné režimy", "clear_night": "Jasno, v noci", "cloudy": "Zamračené", "exceptional": "Výnimočné", @@ -1895,62 +1956,79 @@ "uv_index": "UV index", "wind_bearing": "Veterné ložisko", "wind_gust_speed": "Rýchlosť nárazového vetra", - "above_horizon": "Nad horizontom", - "below_horizon": "Za horizontom", - "oscillating": "Oscilujúce", - "speed_step": "Rýchlostný krok", - "available_preset_modes": "Dostupné prednastavené režimy", - "jammed": "Zaseknutý", - "locking": "Zamknutie", - "unlocking": "Odblokovanie", - "identify": "Identifikovať", - "not_charging": "Nenabíja sa", - "detected": "Zistené", - "disconnected": "Odpojený", - "connected": "Pripojený", - "hot": "Horúci", - "no_light": "Bez svetla", - "light_detected": "Svetlo zistené", - "wet": "Vlhko", - "not_moving": "Nehýbe sa", - "unplugged": "Odpojené", - "not_running": "Nie je spustené", - "safe": "Zabezpečené", - "unsafe": "Nezabezpečené", - "tampering_detected": "Zistená manipulácia", + "streaming": "Streamovanie", + "access_token": "Prístupový token", + "stream_type": "Typ streamu", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minúta", "second": "Sekunda", - "location_is_already_configured": "Umiestnenie už je nakonfigurované", - "failed_to_connect_error": "Nepodarilo sa pripojiť: {error}", - "invalid_api_key": "Neplatný API kľúč", - "api_key": "API kľúč", + "max_length": "Max. dĺžka", + "min_length": "Min. dĺžka", + "pattern": "Vzor", + "members": "Členovia", + "finishes_at": "Končí o", + "remaining": "Zostávajúce", + "identify": "Identifikovať", + "auto_update": "Automatická aktualizácia", + "in_progress": "Prebieha", + "installed_version": "Inštalovaná verzia", + "latest_version": "Posledná verzia", + "release_summary": "Súhrn vydania", + "release_url": "URL vydania", + "skipped_version": "Vynechaná verzia", + "firmware": "Firmvér", + "abort_single_instance_allowed": "Už je nakonfigurovaný. Možná je len jedna konfigurácia.", "user_description": "Chcete začať nastavovať?", + "device_is_already_configured": "Zariadenie už je nakonfigurované", + "re_authentication_was_successful": "Opätovné overenie bolo úspešné", + "re_configuration_was_successful": "Rekonfigurácia bola úspešná", + "failed_to_connect": "Nepodarilo sa pripojiť", + "error_custom_port_not_supported": "Zariadenie Gen1 nepodporuje vlastný port.", + "invalid_authentication": "Neplatné overenie", + "unexpected_error": "Neočakávaná chyba", + "username": "Používateľské meno", + "host": "Host", + "port": "Port", "account_is_already_configured": "Účet je už nakonfigurovaný", "abort_already_in_progress": "Konfigurácia už prebieha", - "failed_to_connect": "Nepodarilo sa pripojiť", "invalid_access_token": "Neplatný prístupový token", "received_invalid_token_data": "Prijaté neplatné údaje tokenu.", "abort_oauth_failed": "Chyba pri získavaní prístupového tokenu.", "timeout_resolving_oauth_token": "Časový limit na vyriešenie tokenu OAuth.", "abort_oauth_unauthorized": "Chyba autorizácie OAuth pri získavaní prístupového tokenu.", - "re_authentication_was_successful": "Opätovné overenie bolo úspešné", - "timeout_establishing_connection": "Časový limit na nadviazanie spojenia", - "unexpected_error": "Neočakávaná chyba", "successfully_authenticated": "Úspešne overené", - "link_google_account": "Prepojenie konta Google", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Vyberte metódu overenia", "authentication_expired_for_name": "Vypršala platnosť overenia pre {name}", "service_is_already_configured": "Služba už je nakonfigurovaná", - "confirm_description": "Chcete nastaviť {name}?", - "device_is_already_configured": "Zariadenie už je nakonfigurované", - "abort_no_devices_found": "V sieti sa nenašli žiadne zariadenia", - "connection_error_error": "Chyba pripojenia: {error}", - "invalid_authentication_error": "Neplatné overenie: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Používateľské meno", - "authenticate": "Overenie", - "host": "Host", - "abort_single_instance_allowed": "Už je nakonfigurovaný. Možná je len jedna konfigurácia.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Chcete nastaviť {name}?", + "adapter": "Adaptér", + "multiple_adapters_description": "Vyberte adaptér Bluetooth, ktorý chcete nastaviť", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API kľúč", + "configure_daikin_ac": "Konfigurácia Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1966,39 +2044,39 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Neplatný názov hostiteľa alebo IP adresa", - "device_not_supported": "Zariadenie nie je podporované", - "name_model_at_host": "{name} ({model} na {host})", - "authenticate_to_the_device": "Overenie zariadenia", + "cannot_connect_details_error_detail": "Nemôže sa pripojiť. Podrobnosti: {error_detail}", + "unknown_details_error_detail": "Neznámy. Podrobnosti: {error_detail}", + "uses_an_ssl_certificate": "Používa SSL certifikát", + "verify_ssl_certificate": "Overiť SSL certifikát", + "timeout_establishing_connection": "Časový limit na nadviazanie spojenia", + "link_google_account": "Prepojenie konta Google", + "abort_no_devices_found": "V sieti sa nenašli žiadne zariadenia", + "connection_error_error": "Chyba pripojenia: {error}", + "invalid_authentication_error": "Neplatné overenie: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Overenie", + "device_class": "Trieda zariadenia", + "state_template": "Stavová šablóna", + "template_binary_sensor": "Šablóna binárneho snímača", + "template_sensor": "Šablónový snímač", + "template_a_sensor": "Šablóna snímača", + "template_helper": "Pomocník šablóny", + "location_is_already_configured": "Umiestnenie už je nakonfigurované", + "failed_to_connect_error": "Nepodarilo sa pripojiť: {error}", + "invalid_api_key": "Neplatný API kľúč", + "pin_code": "PIN kód", + "discovered_android_tv": "Objavený Android TV", + "known_hosts": "Známi hostitelia", + "google_cast_configuration": "Konfigurácia Google Cast", + "abort_invalid_host": "Neplatný názov hostiteľa alebo IP adresa", + "device_not_supported": "Zariadenie nie je podporované", + "name_model_at_host": "{name} ({model} na {host})", + "authenticate_to_the_device": "Overenie zariadenia", "finish_title": "Vyberte meno zariadenia", "unlock_the_device": "Odomknite zariadenie", "yes_do_it": "Áno, urobte to.", "unlock_the_device_optional": "Odomknite zariadenie (voliteľné)", "connect_to_the_device": "Pripojte sa k zariadeniu", - "no_port_for_endpoint": "Žiadny port pre koncový bod", - "abort_no_services": "Na koncovom bode sa nenašli žiadne služby", - "port": "Port", - "discovered_wyoming_service": "Objavil službu Wyoming", - "invalid_authentication": "Neplatné overenie", - "two_factor_code": "Dvojfaktorový kód", - "two_factor_authentication": "Dvojfaktorová autentifikácia", - "sign_in_with_ring_account": "Prihlásenie pomocou konta Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Neplatná téma birth", "error_bad_certificate": "Certifikát CA je neplatný", "invalid_discovery_prefix": "Neplatný prefix zisťovania", @@ -2022,8 +2100,9 @@ "path_is_not_allowed": "Cesta nie je povolená", "path_is_not_valid": "Cesta nie je platná", "path_to_file": "Cesta k súboru", - "known_hosts": "Známi hostitelia", - "google_cast_configuration": "Konfigurácia Google Cast", + "api_error_occurred": "Vyskytla sa chyba API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Povoliť HTTPS", "abort_mdns_missing_mac": "Chýba MAC adresa vo vlastnostiach MDNS.", "abort_mqtt_missing_api": "Chýbajúci port API vo vlastnostiach MQTT.", "abort_mqtt_missing_ip": "Chýbajúca IP adresa vo vlastnostiach MQTT.", @@ -2031,10 +2110,36 @@ "service_received": "Služba prijatá", "discovered_esphome_node": "Objavený uzol ESPHome", "encryption_key": "Šifrovací kľúč", + "no_port_for_endpoint": "Žiadny port pre koncový bod", + "abort_no_services": "Na koncovom bode sa nenašli žiadne služby", + "discovered_wyoming_service": "Objavil službu Wyoming", + "abort_api_error": "Chyba pri komunikácii s rozhraním SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Nepodporovaný typ Switchbot.", + "authentication_failed_error_detail": "Overenie zlyhalo: {error_detail}", + "error_encryption_key_invalid": "ID kľúča alebo šifrovací kľúč je neplatný", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Účet SwitchBot (odporúčané)", + "menu_options_lock_key": "Zadanie šifrovacieho kľúča zámku manuálne", + "key_id": "ID kľúča", + "password_description": "Heslo na ochranu zálohy.", + "device_address": "Adresa zariadenia", + "component_switchbot_config_error_few": "Prázdnych", + "component_switchbot_config_error_one": "Prázdny", + "meteorologisk_institutt": "Meteorologický ústav", + "two_factor_code": "Dvojfaktorový kód", + "two_factor_authentication": "Dvojfaktorová autentifikácia", + "sign_in_with_ring_account": "Prihlásenie pomocou konta Ring", + "bridge_is_already_configured": "Bridge je už nakonfigurovaný", + "no_deconz_bridges_discovered": "Nenašli sa žiadne deCONZ bridge", + "abort_no_hardware_available": "Žiadny rádiový hardvér pripojený k deCONZ", + "abort_updated_instance": "Aktualizovaná inštancia deCONZ s novou adresou hostiteľa", + "error_linking_not_possible": "Nepodarilo sa prepojiť s bránou", + "error_no_key": "Nepodarilo sa získať kľúč API", + "link_with_deconz": "Prepojenie s deCONZ", + "select_discovered_deconz_gateway": "Vyberte objavenú bránu deCONZ", "all_entities": "Všetky entity", "hide_members": "Skryť členov", "add_group": "Pridať skupinu", - "device_class": "Trieda zariadenia", "ignore_non_numeric": "Ignorovať nečíselné údaje", "data_round_digits": "Zaokrúhlenie hodnoty na počet desatinných miest", "type": "Typ", @@ -2047,83 +2152,50 @@ "media_player_group": "Skupina Media player", "sensor_group": "Skupina snímača", "switch_group": "Skupina prepínač", - "name_already_exists": "Názov už existuje", - "passive": "Pasívny", - "define_zone_parameters": "Definujte parametre zóny", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Rekonfigurácia bola úspešná", - "error_custom_port_not_supported": "Zariadenie Gen1 nepodporuje vlastný port.", "abort_alternative_integration": "Zariadenie je lepšie podporované inou integráciou", "abort_discovery_error": "Nepodarilo sa nájsť zodpovedajúce zariadenie DLNA", "abort_incomplete_config": "V konfigurácii chýba povinná premenná", "manual_description": "URL adresa k XML súboru popisu zariadenia", "manual_title": "Manuálne pripojenie zariadenia DLNA DMR", "discovered_dlna_dmr_devices": "Objavené zariadenia DLNA DMR", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Názov už existuje", + "passive": "Pasívny", + "define_zone_parameters": "Definujte parametre zóny", "calendar_name": "Názov kalendára", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adaptér", - "multiple_adapters_description": "Vyberte adaptér Bluetooth, ktorý chcete nastaviť", - "cannot_connect_details_error_detail": "Nemôže sa pripojiť. Podrobnosti: {error_detail}", - "unknown_details_error_detail": "Neznámy. Podrobnosti: {error_detail}", - "uses_an_ssl_certificate": "Používa SSL certifikát", - "verify_ssl_certificate": "Overiť SSL certifikát", - "configure_daikin_ac": "Konfigurácia Daikin AC", - "pin_code": "PIN kód", - "discovered_android_tv": "Objavený Android TV", - "state_template": "Stavová šablóna", - "template_binary_sensor": "Šablóna binárneho snímača", - "template_sensor": "Šablónový snímač", - "template_a_sensor": "Šablóna snímača", - "template_helper": "Pomocník šablóny", - "bridge_is_already_configured": "Bridge je už nakonfigurovaný", - "no_deconz_bridges_discovered": "Nenašli sa žiadne deCONZ bridge", - "abort_no_hardware_available": "Žiadny rádiový hardvér pripojený k deCONZ", - "abort_updated_instance": "Aktualizovaná inštancia deCONZ s novou adresou hostiteľa", - "error_linking_not_possible": "Nepodarilo sa prepojiť s bránou", - "error_no_key": "Nepodarilo sa získať kľúč API", - "link_with_deconz": "Prepojenie s deCONZ", - "select_discovered_deconz_gateway": "Vyberte objavenú bránu deCONZ", - "abort_api_error": "Chyba pri komunikácii s rozhraním SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Nepodporovaný typ Switchbot.", - "authentication_failed_error_detail": "Overenie zlyhalo: {error_detail}", - "error_encryption_key_invalid": "ID kľúča alebo šifrovací kľúč je neplatný", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Účet SwitchBot (odporúčané)", - "menu_options_lock_key": "Zadanie šifrovacieho kľúča zámku manuálne", - "key_id": "ID kľúča", - "password_description": "Heslo na ochranu zálohy.", - "device_address": "Adresa zariadenia", - "component_switchbot_config_error_few": "Prázdnych", - "component_switchbot_config_error_one": "Prázdny", - "meteorologisk_institutt": "Meteorologický ústav", - "api_error_occurred": "Vyskytla sa chyba API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Povoliť HTTPS", - "enable_the_conversation_agent": "Povolenie agenta pre konverzáciu", - "language_code": "Kód jazyka", - "select_test_server": "Vyberte testovací server", - "data_allow_nameless_uuids": "Aktuálne povolené UUID. Ak chcete odstrániť, zrušte začiarknutie", - "minimum_rssi": "Minimálne RSSI", - "data_new_uuid": "Zadajte nové povolené UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Režim skenovania Bluetooth", + "passive_scanning": "Pasívne skenovanie", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2206,6 +2278,22 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Povolenie agenta pre konverzáciu", + "language_code": "Kód jazyka", + "data_process": "Procesy na pridanie ako snímač(e)", + "data_app_delete": "Začiarknutím tejto možnosti odstránite túto aplikáciu", + "application_icon": "Ikona aplikácie", + "application_name": "Názov aplikácie", + "configure_application_id_app_id": "Konfigurovať ID aplikácie {app_id}", + "configure_android_apps": "Konfigurácia aplikácií pre Android", + "configure_applications_list": "Konfigurácia zoznamu aplikácií", + "data_allow_nameless_uuids": "Aktuálne povolené UUID. Ak chcete odstrániť, zrušte začiarknutie", + "minimum_rssi": "Minimálne RSSI", + "data_new_uuid": "Zadajte nové povolené UUID", + "data_calendar_access": "Prístup Home Assistant ku kalendáru Google", + "ignore_cec": "Ignorovať CEC", + "allowed_uuids": "Povolené UUID", + "advanced_google_cast_configuration": "Pokročilá konfigurácia Google Cast", "broker_options": "Možnosti brokera", "enable_birth_message": "Povoliť správu birth", "birth_message_payload": "Birth správa vyťaženie", @@ -2219,113 +2307,46 @@ "will_message_retain": "Will správa sa zachová", "will_message_topic": "Téma správ will", "mqtt_options": "MQTT možnosti", - "ignore_cec": "Ignorovať CEC", - "allowed_uuids": "Povolené UUID", - "advanced_google_cast_configuration": "Pokročilá konfigurácia Google Cast", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Režim skenovania Bluetooth", + "protocol": "Protokol", + "select_test_server": "Vyberte testovací server", + "retry_count": "Počet opakovaní", + "allow_deconz_clip_sensors": "Povoliť senzory deCONZ CLIP", + "allow_deconz_light_groups": "Povoliť skupiny svetiel deCONZ", + "data_allow_new_devices": "Povoliť automatické pridávanie nových zariadení", + "deconz_devices_description": "Nastavte viditeľnosť typov zariadení deCONZ", + "deconz_options": "možnosti deCONZ", "invalid_url": "Neplatná adresa URL", "data_browse_unfiltered": "Zobraziť nekompatibilné médiá pri prehliadaní", "event_listener_callback_url": "Adresa URL spätného volania prijímača udalostí", "data_listen_port": "Port prijímača udalostí (náhodný, ak nie je nastavený)", "poll_for_device_availability": "Dopytovanie sa na dostupnosť zariadenia", "init_title": "Konfigurácia DLNA Digital Media Renderer", - "passive_scanning": "Pasívne skenovanie", - "allow_deconz_clip_sensors": "Povoliť senzory deCONZ CLIP", - "allow_deconz_light_groups": "Povoliť skupiny svetiel deCONZ", - "data_allow_new_devices": "Povoliť automatické pridávanie nových zariadení", - "deconz_devices_description": "Nastavte viditeľnosť typov zariadení deCONZ", - "deconz_options": "možnosti deCONZ", - "retry_count": "Počet opakovaní", - "data_calendar_access": "Prístup Home Assistant ku kalendáru Google", - "protocol": "Protokol", - "data_process": "Procesy na pridanie ako snímač(e)", - "toggle_entity_name": "Prepnúť {entity_name}", - "turn_off_entity_name": "Vypnúť {entity_name}", - "turn_on_entity_name": "Zapnúť {entity_name}", - "entity_name_is_off": "{entity_name} je vypnuté", - "entity_name_is_on": "{entity_name} je zapnuté", - "trigger_type_changed_states": "{entity_name} zapnuté alebo vypnuté", - "entity_name_turned_off": "{entity_name} vypnuté", - "entity_name_turned_on": "{entity_name} zapnuté", - "entity_name_is_home": "{entity_name} je doma", - "entity_name_is_not_home": "{entity_name} nie je doma", - "entity_name_enters_a_zone": "{entity_name} vstúpi do zóny", - "entity_name_leaves_a_zone": "{entity_name} opustí zónu", - "action_type_set_hvac_mode": "Zmeniť režim HVAC na {entity_name}", - "change_preset_on_entity_name": "Zmeniť prednastavený režim na {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} sa zmenila nameraná vlhkosť", - "entity_name_measured_temperature_changed": "{entity_name} sa zmenila nameraná teplota", - "entity_name_hvac_mode_changed": "Režim HVAC na {entity_name} zmenený", - "entity_name_is_buffering": "{entity_name} sa ukladá do vyrovnávacej pamäte", - "entity_name_is_idle": "{entity_name} je nečinné", - "entity_name_is_paused": "{entity_name} je pozastavené", - "entity_name_is_playing": "{entity_name} prehráva", - "entity_name_starts_buffering": "{entity_name} spustí ukladanie do vyrovnávacej pamäte", - "entity_name_becomes_idle": "{entity_name} sa stáva nečinným", - "entity_name_starts_playing": "{entity_name} začína hrať", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Prvé tlačidlo", "second_button": "Druhé tlačidlo", "third_button": "Tretie tlačidlo", "fourth_button": "Štvrté tlačidlo", - "fifth_button": "Piate tlačidlo", - "sixth_button": "Šieste tlačidlo", - "subtype_double_clicked": "\"{subtype}\" kliknuté dvakrát", - "subtype_continuously_pressed": "\"{subtype}\" trvalo stlačené", - "trigger_type_button_long_release": "\"{subtype}\" uvoľnené po dlhom stlačení", - "subtype_quadruple_clicked": "\"{subtype}\" kliknuté štyrikrát", - "subtype_quintuple_clicked": "\"{subtype}\" kliknuté päťkrát", - "subtype_pressed": "\"{subtype}\" stlačené", - "subtype_released": "\"{subtype}\" bolo uvoľnené", - "subtype_triple_clicked": "\"{subtype}\" trojnásobne kliknuté", - "decrease_entity_name_brightness": "Znížte jas {entity_name}", - "increase_entity_name_brightness": "Zvýšte jas {entity_name}", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Zmeňte {entity_name} na prvú možnosť", - "action_type_select_last": "Zmeňte {entity_name} na poslednú možnosť", - "action_type_select_next": "Zmeňte {entity_name} na ďalšiu možnosť", - "change_entity_name_option": "Zmeňte možnosť {entity_name}", - "action_type_select_previous": "Zmeniť {entity_name} na predchádzajúcu možnosť", - "current_entity_name_selected_option": "Aktuálna vybratá možnosť {entity_name}", - "entity_name_option_changed": "Možnosť {entity_name} sa zmenila", - "entity_name_update_availability_changed": "Dostupnosť aktualizácie {entity_name} sa zmenila", - "entity_name_became_up_to_date": "{entity_name} se stalo aktuálne", - "trigger_type_update": "{entity_name} má k dispozícii aktualizáciu", "subtype_button_down": "{subtype} stlačené dole", "subtype_button_up": "{subtype} stlačené hore", + "subtype_double_clicked": "\"{subtype}\" kliknuté dvakrát", "subtype_double_push": "{subtype} stlačené dvakrát", "subtype_long_push": "{subtype} stlačené dlho", "trigger_type_long_single": "{subtype} stlačené dlho a potom raz", "subtype_single_push": "{subtype} stlačené raz", "trigger_type_single_long": "{subtype} stlačené raz a potom dlho", + "subtype_triple_clicked": "\"{subtype}\" trojnásobne kliknuté", "subtype_triple_push": "{subtype} trojité stlačenie", "set_value_for_entity_name": "Nastaviť hodnotu pre {entity_name}", + "value": "Hodnota", "close_entity_name": "Zavrieť {entity_name}", "close_entity_name_tilt": "Znížiť náklon {entity_name}", "open_entity_name": "Otvoriť {entity_name}", @@ -2344,7 +2365,110 @@ "entity_name_opened": "{entity_name} otvorená", "entity_name_position_changes": "{entity_name} zmeny pozície", "entity_name_tilt_position_changes": "Pri zmene náklonu {entity_name}", - "send_a_notification": "Odoslať oznámenie", + "entity_name_battery_is_low": "{entity_name} batéria je vybitá", + "entity_name_is_charging": "{entity_name} sa nabíja", + "trigger_type_co": "{entity_name} zisťuje oxid uhoľnatý", + "entity_name_is_cold": "{entity_name} je studené", + "entity_name_connected": "{entity_name} je pripojený", + "entity_name_is_detecting_gas": "{entity_name} detekuje plyn", + "entity_name_is_hot": "{entity_name} je horúce", + "entity_name_is_detecting_light": "{entity_name} zaznamenáva svetlo", + "entity_name_is_locked": "{entity_name} je uzamknutý", + "entity_name_is_moist": "{entity_name} je vlhký", + "entity_name_is_detecting_motion": "{entity_name} zaznamenáva pohyb", + "entity_name_is_moving": "{entity_name} sa hýbe", + "condition_type_is_no_co": "{entity_name} nezaznamenáva oxid uhoľnatý", + "condition_type_is_no_gas": "{entity_name} nedetekuje plyn", + "condition_type_is_no_light": "{entity_name} nezaznamenáva svetlo", + "condition_type_is_no_motion": "{entity_name} nezaznamenáva pohyb", + "condition_type_is_no_problem": "{entity_name} nedetekuje problém", + "condition_type_is_no_smoke": "{entity_name} nezisťuje dym", + "condition_type_is_no_sound": "{entity_name} nerozpoznáva zvuk", + "entity_name_is_up_to_date": "{entity_name} je aktuálne", + "condition_type_is_no_vibration": "{entity_name} nezaznamenáva vibrácie", + "entity_name_battery_is_normal": "{entity_name} batéria je normálna", + "entity_name_is_not_charging": "{entity_name} sa nenabíja", + "entity_name_is_not_cold": "{entity_name} nie je studené", + "entity_name_is_disconnected": "{entity_name} je odpojený", + "entity_name_is_not_hot": "{entity_name} nie je horúce", + "entity_name_is_unlocked": "{entity_name} je odomknutý", + "entity_name_is_dry": "{entity_name} je suché", + "entity_name_is_not_moving": "{entity_name} sa nehýbe", + "entity_name_is_not_occupied": "{entity_name} nie je obsadená", + "entity_name_is_unplugged": "{entity_name} je odpojené", + "entity_name_not_powered": "{entity_name} nie je napájané", + "entity_name_not_present": "{entity_name} nie je prítomné", + "entity_name_is_not_running": "{entity_name} nie je spustené", + "condition_type_is_not_tampered": "{entity_name} nedetekuje manipuláciu", + "entity_name_is_safe": "{entity_name} je bezpečné", + "entity_name_is_occupied": "{entity_name} je obsadené", + "entity_name_is_off": "{entity_name} je vypnuté", + "entity_name_is_on": "{entity_name} je zapnuté", + "entity_name_is_plugged_in": "{entity_name} je zapojené", + "entity_name_is_powered": "{entity_name} je napájané", + "entity_name_is_present": "{entity_name} je prítomné", + "entity_name_is_detecting_problem": "{entity_name} detekuje problém", + "entity_name_is_running": "{entity_name} je spustené", + "entity_name_is_detecting_smoke": "{entity_name} zisťuje dym", + "entity_name_is_detecting_sound": "{entity_name} rozpoznáva zvuk", + "entity_name_is_detecting_tampering": "{entity_name} detekuje manipuláciu", + "entity_name_is_unsafe": "{entity_name} nie je bezpečné", + "trigger_type_update": "{entity_name} má k dispozícii aktualizáciu", + "entity_name_is_detecting_vibration": "{entity_name} zaznamenáva vibrácie", + "entity_name_battery_low": "{entity_name} batéria vybitá", + "entity_name_charging": "{entity_name} nabíja", + "entity_name_became_cold": "{entity_name} sa ochladilo", + "entity_name_became_hot": "{entity_name} sa stal horúcim", + "entity_name_started_detecting_light": "{entity_name} začal detegovať svetlo", + "entity_name_locked": "{entity_name} uzamknutý", + "entity_name_became_moist": "{entity_name} sa stal vlhkým", + "entity_name_started_detecting_motion": "{entity_name} začal zisťovať pohyb", + "entity_name_started_moving": "{entity_name} se začal pohybovať", + "trigger_type_no_co": "{entity_name} prestalo detegovať oxid uhoľnatý", + "entity_name_stopped_detecting_gas": "{entity_name} prestalo detekovať plyn", + "entity_name_stopped_detecting_light": "{entity_name} prestalo detekovať svetlo", + "entity_name_stopped_detecting_motion": "{entity_name} prestalo detekovať pohyb", + "entity_name_stopped_detecting_problem": "{entity_name} prestalo detekovať problém", + "entity_name_stopped_detecting_smoke": "{entity_name} prestalo detekovať dym", + "entity_name_stopped_detecting_sound": "{entity_name} prestalo detekovať zvuk", + "entity_name_became_up_to_date": "{entity_name} sa stalo aktuálnym", + "entity_name_stopped_detecting_vibration": "{entity_name} prestalo detekovať vibrácie", + "entity_name_battery_normal": "{entity_name} batéria normálna", + "entity_name_not_charging": "{entity_name} nenabíja", + "entity_name_became_not_cold": "{entity_name} prestal byť studený", + "entity_name_unplugged": "{entity_name} odpojený", + "entity_name_became_not_hot": "{entity_name} prestal byť horúcim", + "entity_name_unlocked": "{entity_name} odomknutý", + "entity_name_became_dry": "{entity_name} sa stal suchým", + "entity_name_stopped_moving": "{entity_name} sa prestalo pohybovať", + "entity_name_became_not_occupied": "{entity_name} voľné", + "trigger_type_not_running": "{entity_name} už nie je v prevádzke", + "entity_name_stopped_detecting_tampering": "{entity_name} prestalo detekovať neoprávnenú manipuláciu", + "entity_name_became_safe": "{entity_name} bezpečné", + "entity_name_became_occupied": "{entity_name} obsadené", + "entity_name_plugged_in": "{entity_name} zapojené", + "entity_name_powered": "{entity_name} napájané", + "entity_name_present": "{entity_name} prítomné", + "entity_name_started_detecting_problem": "{entity_name} začal zisťovať problém", + "entity_name_started_running": "{entity_name} spustené", + "entity_name_started_detecting_smoke": "{entity_name} začala zisťovať dym", + "entity_name_started_detecting_sound": "{entity_name} začala rozpoznávať zvuk", + "entity_name_started_detecting_tampering": "{entity_name} začalo detegovať neoprávnenú manipuláciu", + "entity_name_turned_off": "{entity_name} vypnuté", + "entity_name_turned_on": "{entity_name} zapnuté", + "entity_name_became_unsafe": "{entity_name} hlási ohrozenie", + "entity_name_started_detecting_vibration": "{entity_name} začalo detegovať vibrácie", + "entity_name_is_buffering": "{entity_name} sa ukladá do vyrovnávacej pamäte", + "entity_name_is_idle": "{entity_name} je nečinné", + "entity_name_is_paused": "{entity_name} je pozastavené", + "entity_name_is_playing": "{entity_name} prehráva", + "entity_name_starts_buffering": "{entity_name} spustí ukladanie do vyrovnávacej pamäte", + "trigger_type_changed_states": "{entity_name} zapnuté alebo vypnuté", + "entity_name_becomes_idle": "{entity_name} sa stáva nečinným", + "entity_name_starts_playing": "{entity_name} začína hrať", + "toggle_entity_name": "Prepnúť {entity_name}", + "turn_off_entity_name": "Vypnúť {entity_name}", + "turn_on_entity_name": "Zapnúť {entity_name}", "arm_entity_name_away": "Aktivovať {entity_name} v režime neprítomnosť", "arm_entity_name_home": "Aktivovať {entity_name} v režime domov", "arm_entity_name_night": "Aktivovať {entity_name} v nočnom režime", @@ -2356,19 +2480,32 @@ "entity_name_is_armed_night": "{entity_name} je v nočnom režime", "entity_name_is_armed_vacation": "{entity_name} je v režime dovolenka", "entity_name_is_disarmed": "{entity_name} nie je zabezpečené", - "entity_name_is_running": "{entity_name} je spustené", "entity_name_armed_away": "{entity_name} v režime neprítomnosť", "entity_name_armed_home": "{entity_name} v režime domov", "entity_name_armed_night": "{entity_name} v nočnom režime", "entity_name_armed_vacation": "{entity_name} v režime dovolenka", "entity_name_disarmed": "{entity_name} nezabezpečené", "entity_name_triggered": "{entity_name} spustený", + "entity_name_is_home": "{entity_name} je doma", + "entity_name_is_not_home": "{entity_name} nie je doma", + "entity_name_enters_a_zone": "{entity_name} vstúpi do zóny", + "entity_name_leaves_a_zone": "{entity_name} opustí zónu", + "lock_entity_name": "Uzamknúť {entity_name}", + "unlock_entity_name": "Odomknúť {entity_name}", + "action_type_set_hvac_mode": "Zmeniť režim HVAC na {entity_name}", + "change_preset_on_entity_name": "Zmeniť prednastavený režim na {entity_name}", + "hvac_mode": "Režim HVAC", + "to": "Komu", + "entity_name_measured_humidity_changed": "{entity_name} sa zmenila nameraná vlhkosť", + "entity_name_measured_temperature_changed": "{entity_name} sa zmenila nameraná teplota", + "entity_name_hvac_mode_changed": "Režim HVAC na {entity_name} zmenený", "current_entity_name_apparent_power": "Aktuálny zdanlivý výkon {entity_name}", "condition_type_is_aqi": "Aktuálny index kvality ovzdušia {entity_name}", "current_entity_name_atmospheric_pressure": "Aktuálny atmosférický tlak {entity_name}", "current_entity_name_battery_level": "Aktuálna úroveň nabitia batérie {entity_name}", "condition_type_is_carbon_dioxide": "Aktuálna úroveň koncentrácie oxidu uhličitého {entity_name}", "condition_type_is_carbon_monoxide": "Aktuálna úroveň koncentrácie oxidu uhoľnatého {entity_name}", + "current_entity_name_conductivity": "Aktuálna vodivosť {entity_name}", "current_entity_name_current": "Aktuálny {entity_name} prúd", "current_entity_name_data_rate": "Aktuálna rýchlosť prenosu dát {entity_name}", "current_entity_name_data_size": "Aktuálna veľkosť údajov {entity_name}", @@ -2411,6 +2548,7 @@ "entity_name_battery_level_changes": "Pri zmene úrovne batérie {entity_name}", "trigger_type_carbon_dioxide": "{entity_name} sa mení koncentrácia oxidu uhličitého", "trigger_type_carbon_monoxide": "{entity_name} sa mení koncentrácia oxidu uhoľnatého", + "entity_name_conductivity_changes": "zmeny vodivosti {entity_name}", "entity_name_current_changes": "{entity_name} prúd sa zmení", "entity_name_data_rate_changes": "Pri zmene rýchlosti prenosu dát {entity_name}", "entity_name_data_size_changes": "{entity_name} zmena veľkosti údajov", @@ -2449,127 +2587,67 @@ "entity_name_water_changes": "Pri zmene množstva vody {entity_name}", "entity_name_weight_changes": "Pri zmene hmotnosti {entity_name}", "entity_name_wind_speed_changes": "{entity_name} zmeny rýchlosti vetra", + "decrease_entity_name_brightness": "Znížte jas {entity_name}", + "increase_entity_name_brightness": "Zvýšte jas {entity_name}", + "flash_entity_name": "Flash {entity_name}", + "flash": "Blesk", + "fifth_button": "Piate tlačidlo", + "sixth_button": "Šieste tlačidlo", + "subtype_continuously_pressed": "\"{subtype}\" trvalo stlačené", + "trigger_type_button_long_release": "\"{subtype}\" uvoľnené po dlhom stlačení", + "subtype_quadruple_clicked": "\"{subtype}\" kliknuté štyrikrát", + "subtype_quintuple_clicked": "\"{subtype}\" kliknuté päťkrát", + "subtype_pressed": "\"{subtype}\" stlačené", + "subtype_released": "\"{subtype}\" bolo uvoľnené", + "action_type_select_first": "Zmeňte {entity_name} na prvú možnosť", + "action_type_select_last": "Zmeňte {entity_name} na poslednú možnosť", + "action_type_select_next": "Zmeňte {entity_name} na ďalšiu možnosť", + "change_entity_name_option": "Zmeňte možnosť {entity_name}", + "action_type_select_previous": "Zmeniť {entity_name} na predchádzajúcu možnosť", + "current_entity_name_selected_option": "Aktuálna vybratá možnosť {entity_name}", + "cycle": "Cyklus", + "entity_name_option_changed": "Možnosť {entity_name} sa zmenila", + "send_a_notification": "Odoslať oznámenie", + "both_buttons": "Obe tlačidlá", + "bottom_buttons": "Spodné tlačidlá", + "seventh_button": "Siedme tlačidlo", + "eighth_button": "Ôsme tlačidlo", + "dim_up": "Zvýšiť", + "left": "Vľavo", + "right": "Vpravo", + "side": "Strana 6", + "top_buttons": "Horné tlačidlá", + "device_awakened": "Zariadenie sa prebudilo", + "button_rotated_subtype": "Otočené tlačidlo \"{subtype}\"", + "button_rotated_fast_subtype": "Tlačidlo sa rýchlo otáčalo \"{subtype}\"", + "button_rotation_subtype_stopped": "Otočenie tlačidla \"{subtype}\" bolo zastavené", + "device_subtype_double_tapped": "Zariadenie \"{subtype}\" dvakrát poklepané", + "trigger_type_remote_double_tap_any_side": "Zariadenie dvakrát klepnuté na ľubovoľnú stranu", + "device_in_free_fall": "Zariadenie vo voľnom páde", + "device_flipped_degrees": "Zariadenie otočené o 90 stupňov", + "device_shaken": "Zariadenie sa zatriaslo", + "trigger_type_remote_moved": "Zariadenie presunuté s \"{subtype}\" nahor", + "trigger_type_remote_moved_any_side": "Zariadenie sa pohybuje ľubovoľnou stranou nahor", + "trigger_type_remote_rotate_from_side": "Zariadenie otočené zo \"strany 6\" na \"{subtype}\"", + "device_turned_clockwise": "Zariadenie otočené v smere hodinových ručičiek", + "device_turned_counter_clockwise": "Zariadenie otočené proti smeru hodinových ručičiek", "press_entity_name_button": "Stlačte tlačidlo {entity_name}", "entity_name_has_been_pressed": "{entity_name} bol stlačený", - "entity_name_battery_is_low": "{entity_name} batéria je vybitá", - "entity_name_is_charging": "{entity_name} sa nabíja", - "trigger_type_co": "{entity_name} zisťuje oxid uhoľnatý", - "entity_name_is_cold": "{entity_name} je studené", - "entity_name_connected": "{entity_name} je pripojený", - "entity_name_is_detecting_gas": "{entity_name} detekuje plyn", - "entity_name_is_hot": "{entity_name} je horúce", - "entity_name_is_detecting_light": "{entity_name} zaznamenáva svetlo", - "entity_name_is_locked": "{entity_name} je uzamknutý", - "entity_name_is_moist": "{entity_name} je vlhký", - "entity_name_is_detecting_motion": "{entity_name} zaznamenáva pohyb", - "entity_name_is_moving": "{entity_name} sa hýbe", - "condition_type_is_no_co": "{entity_name} nezaznamenáva oxid uhoľnatý", - "condition_type_is_no_gas": "{entity_name} nedetekuje plyn", - "condition_type_is_no_light": "{entity_name} nezaznamenáva svetlo", - "condition_type_is_no_motion": "{entity_name} nezaznamenáva pohyb", - "condition_type_is_no_problem": "{entity_name} nedetekuje problém", - "condition_type_is_no_smoke": "{entity_name} nezisťuje dym", - "condition_type_is_no_sound": "{entity_name} nerozpoznáva zvuk", - "entity_name_is_up_to_date": "{entity_name} je aktuálne", - "condition_type_is_no_vibration": "{entity_name} nezaznamenáva vibrácie", - "entity_name_battery_is_normal": "{entity_name} batéria je normálna", - "entity_name_is_not_charging": "{entity_name} sa nenabíja", - "entity_name_is_not_cold": "{entity_name} nie je studené", - "entity_name_is_disconnected": "{entity_name} je odpojený", - "entity_name_is_not_hot": "{entity_name} nie je horúce", - "entity_name_is_unlocked": "{entity_name} je odomknutý", - "entity_name_is_dry": "{entity_name} je suché", - "entity_name_is_not_moving": "{entity_name} sa nehýbe", - "entity_name_is_not_occupied": "{entity_name} nie je obsadená", - "entity_name_is_unplugged": "{entity_name} je odpojené", - "entity_name_not_powered": "{entity_name} nie je napájané", - "entity_name_not_present": "{entity_name} nie je prítomné", - "entity_name_is_not_running": "{entity_name} nie je spustené", - "condition_type_is_not_tampered": "{entity_name} nedetekuje manipuláciu", - "entity_name_is_safe": "{entity_name} je bezpečné", - "entity_name_is_occupied": "{entity_name} je obsadené", - "entity_name_is_plugged_in": "{entity_name} je zapojené", - "entity_name_is_powered": "{entity_name} je napájané", - "entity_name_is_present": "{entity_name} je prítomné", - "entity_name_is_detecting_problem": "{entity_name} detekuje problém", - "entity_name_is_detecting_smoke": "{entity_name} zisťuje dym", - "entity_name_is_detecting_sound": "{entity_name} rozpoznáva zvuk", - "entity_name_is_detecting_tampering": "{entity_name} detekuje manipuláciu", - "entity_name_is_unsafe": "{entity_name} nie je bezpečné", - "entity_name_is_detecting_vibration": "{entity_name} zaznamenáva vibrácie", - "entity_name_battery_low": "{entity_name} batéria vybitá", - "entity_name_charging": "{entity_name} nabíja", - "entity_name_became_cold": "{entity_name} sa ochladilo", - "entity_name_became_hot": "{entity_name} sa stal horúcim", - "entity_name_started_detecting_light": "{entity_name} začal detegovať svetlo", - "entity_name_locked": "{entity_name} uzamknutý", - "entity_name_became_moist": "{entity_name} sa stal vlhkým", - "entity_name_started_detecting_motion": "{entity_name} začal zisťovať pohyb", - "entity_name_started_moving": "{entity_name} se začal pohybovať", - "trigger_type_no_co": "{entity_name} prestalo detegovať oxid uhoľnatý", - "entity_name_stopped_detecting_gas": "{entity_name} prestalo detekovať plyn", - "entity_name_stopped_detecting_light": "{entity_name} prestalo detekovať svetlo", - "entity_name_stopped_detecting_motion": "{entity_name} prestalo detekovať pohyb", - "entity_name_stopped_detecting_problem": "{entity_name} prestalo detekovať problém", - "entity_name_stopped_detecting_smoke": "{entity_name} prestalo detekovať dym", - "entity_name_stopped_detecting_sound": "{entity_name} prestalo detekovať zvuk", - "entity_name_stopped_detecting_vibration": "{entity_name} prestalo detekovať vibrácie", - "entity_name_battery_normal": "{entity_name} batéria normálna", - "entity_name_not_charging": "{entity_name} nenabíja", - "entity_name_became_not_cold": "{entity_name} prestal byť studený", - "entity_name_unplugged": "{entity_name} odpojený", - "entity_name_became_not_hot": "{entity_name} prestal byť horúcim", - "entity_name_unlocked": "{entity_name} odomknutý", - "entity_name_became_dry": "{entity_name} sa stal suchým", - "entity_name_stopped_moving": "{entity_name} sa prestalo pohybovať", - "entity_name_became_not_occupied": "{entity_name} voľné", - "trigger_type_not_running": "{entity_name} už nie je v prevádzke", - "entity_name_stopped_detecting_tampering": "{entity_name} prestalo detekovať neoprávnenú manipuláciu", - "entity_name_became_safe": "{entity_name} bezpečné", - "entity_name_became_occupied": "{entity_name} obsadené", - "entity_name_plugged_in": "{entity_name} zapojené", - "entity_name_powered": "{entity_name} napájané", - "entity_name_present": "{entity_name} prítomné", - "entity_name_started_detecting_problem": "{entity_name} začal zisťovať problém", - "entity_name_started_running": "{entity_name} spustené", - "entity_name_started_detecting_smoke": "{entity_name} začala zisťovať dym", - "entity_name_started_detecting_sound": "{entity_name} začala rozpoznávať zvuk", - "entity_name_started_detecting_tampering": "{entity_name} začalo detegovať neoprávnenú manipuláciu", - "entity_name_became_unsafe": "{entity_name} hlási ohrozenie", - "entity_name_started_detecting_vibration": "{entity_name} začalo detegovať vibrácie", - "both_buttons": "Obe tlačidlá", - "bottom_buttons": "Spodné tlačidlá", - "seventh_button": "Siedme tlačidlo", - "eighth_button": "Ôsme tlačidlo", - "dim_up": "Zvýšiť", - "left": "Vľavo", - "right": "Vpravo", - "side": "Strana 6", - "top_buttons": "Horné tlačidlá", - "device_awakened": "Zariadenie sa prebudilo", - "button_rotated_subtype": "Otočené tlačidlo \"{subtype}\"", - "button_rotated_fast_subtype": "Tlačidlo sa rýchlo otáčalo \"{subtype}\"", - "button_rotation_subtype_stopped": "Otočenie tlačidla \"{subtype}\" bolo zastavené", - "device_subtype_double_tapped": "Zariadenie \"{subtype}\" dvojité klepnutie", - "trigger_type_remote_double_tap_any_side": "Zariadenie dvakrát klepnuté na ľubovoľnú stranu", - "device_in_free_fall": "Zariadenie vo voľnom páde", - "device_flipped_degrees": "Zariadenie otočené o 90 stupňov", - "device_shaken": "Zariadenie sa zatriaslo", - "trigger_type_remote_moved": "Zariadenie presunuté s \"{subtype}\" nahor", - "trigger_type_remote_moved_any_side": "Zariadenie sa pohybuje ľubovoľnou stranou nahor", - "trigger_type_remote_rotate_from_side": "Zariadenie otočené zo \"strany 6\" na \"{subtype}\"", - "device_turned_clockwise": "Zariadenie otočené v smere hodinových ručičiek", - "device_turned_counter_clockwise": "Zariadenie otočené proti smeru hodinových ručičiek", - "lock_entity_name": "Uzamknúť {entity_name}", - "unlock_entity_name": "Odomknúť {entity_name}", - "critical": "Kritický", - "debug": "Ladenie", - "info": "Info", + "entity_name_update_availability_changed": "Dostupnosť aktualizácie {entity_name} sa zmenila", "add_to_queue": "Pridať do frontu", "play_next": "Hrať ďalšie", "options_replace": "Hrajte teraz a vymažte front", "repeat_all": "Opakujte všetko", "repeat_one": "Opakujte jeden", + "critical": "Kritický", + "debug": "Ladenie", + "info": "Info", + "most_recently_updated": "Najnovšie aktualizované", + "arithmetic_mean": "Aritmetický priemer", + "median": "Medián", + "product": "Produkt", + "statistical_range": "Štatistický rozsah", + "standard_deviation": "Štandardná odchýlka", "alice_blue": "Alica modrá", "antique_white": "Starožitná biela", "aqua": "Aqua", @@ -2697,16 +2775,108 @@ "wheat": "Pšenica", "white_smoke": "Biely dym", "yellow_green": "Žltozelená", + "fatal": "Fatálny", "no_device_class": "Bez triedy zariadenia", "no_state_class": "Bez triedy stavu", "no_unit_of_measurement": "Žiadna merná jednotka", - "fatal": "Fatálny", - "most_recently_updated": "Najnovšie aktualizované", - "arithmetic_mean": "Aritmetický priemer", - "median": "Medián", - "product": "Produkt", - "statistical_range": "Štatistický rozsah", - "standard_deviation": "Štandardná odchýlka", + "dump_log_objects": "Výpis objektov denníka", + "log_current_tasks_description": "Zaznamená všetky aktuálne úlohy asyncio.", + "log_current_asyncio_tasks": "Prihlásenie aktuálnych úloh asyncio", + "log_event_loop_scheduled": "Naplánovaná slučka udalostí denníka", + "log_thread_frames_description": "Zaznamená aktuálne rámce pre všetky vlákna.", + "log_thread_frames": "Rámčeky pre vlákna denníka", + "lru_stats_description": "Zaznamenáva štatistiky všetkých lru cache.", + "log_lru_stats": "Štatistiky protokolu LRU", + "starts_the_memory_profiler": "Spustí nástroj Memory Profiler.", + "seconds": "Sekundy", + "memory": "Pamäť", + "set_asyncio_debug_description": "Zapnite alebo zakážte ladenie asyncio.", + "enabled_description": "Či povoliť alebo zakázať asyncio ladenie.", + "set_asyncio_debug": "Nastaviť ladenie asyncio", + "starts_the_profiler": "Spustí Profiler.", + "max_objects_description": "Maximálny počet objektov, ktoré sa majú zaznamenať.", + "maximum_objects": "Maximálny počet objektov", + "scan_interval_description": "Počet sekúnd medzi objektmi protokolovania.", + "scan_interval": "Interval skenovania", + "start_logging_object_sources": "Spustenie záznamu zdrojov objektov", + "start_log_objects_description": "Spustí zaznamenávanie rastu objektov v pamäti.", + "start_logging_objects": "Spustenie protokolovania objektov", + "stop_logging_object_sources": "Zastavenie záznamu zdrojov objektov", + "stop_log_objects_description": "Zastaví zaznamenávanie rastu objektov v pamäti.", + "stop_logging_objects": "Zastavenie zaznamenávania objektov", + "request_sync_description": "Odošle príkaz request_sync spoločnosti Google.", + "agent_user_id": "ID používateľa agenta", + "request_sync": "Žiadosť o synchronizáciu", + "reload_resources_description": "Znovu načíta zdroje dashboardu z konfigurácie YAML.", + "clears_all_log_entries": "Vymaže všetky záznamy denníka.", + "write_log_entry": "Napíšte záznam do denníka.", + "log_level": "Úroveň denníka.", + "level": "Úroveň", + "message_to_log": "Správa do denníka.", + "write": "Zapísať", + "set_value_description": "Nastaví hodnotu čísla.", + "value_description": "Hodnota konfiguračného parametra.", + "create_temporary_strict_connection_url_name": "Vytvorenie dočasnej striktnej adresy URL pripojenia", + "toggles_the_siren_on_off": "Zapína/vypína sirénu.", + "turns_the_siren_off": "Vypne sirénu.", + "turns_the_siren_on": "Zapne sirénu.", + "tone": "Tón", + "add_event_description": "Pridá novú udalosť kalendára.", + "location_description": "Miesto udalosti. Voliteľné.", + "start_date_description": "Dátum začiatku celodenného podujatia.", + "create_event": "Vytvoriť udalosť", + "get_events": "Získať udalosti", + "list_event": "Zoznam udalostí", + "closes_a_cover": "Zatvorí kryt.", + "close_cover_tilt_description": "Naklonením krytu sa zatvorí.", + "close_tilt": "Zavrieť naklonenie", + "opens_a_cover": "Otvorí kryt.", + "tilts_a_cover_open": "Odklápa kryt.", + "open_tilt": "Otvorený sklon", + "set_cover_position_description": "Presunie kryt na konkrétnu pozíciu.", + "target_position": "Cieľová pozícia.", + "set_position": "Nastavenie polohy", + "target_tilt_positition": "Cieľová poloha naklonenia.", + "set_tilt_position": "Nastavenie polohy sklonu", + "stops_the_cover_movement": "Zastaví pohyb krytu.", + "stop_cover_tilt_description": "Zastaví pohyb naklápacieho krytu.", + "stop_tilt": "Zastavenie náklonu", + "toggles_a_cover_open_closed": "Prepína otvorenie/zavretie krytu.", + "toggle_cover_tilt_description": "Prepína sklon krytu otvorený/zavretý.", + "toggle_tilt": "Prepínanie náklonu", + "check_configuration": "Skontrolovať konfiguráciu", + "reload_config_entry_description": "Znovu načíta zadanú položku konfigurácie.", + "config_entry_id": "ID položky konfigurácie", + "reload_config_entry": "Opätovné načítanie položky konfigurácie", + "reload_core_config_description": "Načíta základnú konfiguráciu z konfigurácie YAML.", + "reload_core_configuration": "Opätovné načítanie konfigurácie jadra", + "reload_custom_jinja_templates": "Načítanie vlastných šablón Jinja2", + "restarts_home_assistant": "Reštartuje aplikáciu Home Assistant.", + "safe_mode_description": "Zakázať vlastné integrácie a vlastné karty.", + "save_persistent_states": "Uloženie trvalých stavov", + "set_location_description": "Aktualizuje umiestnenie aplikácie Home Assistant.", + "elevation_of_your_location": "Nadmorská výška vašej polohy.", + "latitude_of_your_location": "Zemepisná šírka vašej polohy.", + "longitude_of_your_location": "Zemepisná dĺžka vašej polohy.", + "stops_home_assistant": "Zastaví funkciu Home Assistant.", + "generic_toggle": "Všeobecné prepínanie", + "generic_turn_off": "Všeobecné vypnutie", + "generic_turn_on": "Všeobecné zapnutie", + "update_entity": "Aktualizovať entitu", + "creates_a_new_backup": "Vytvorí novú zálohu.", + "decrement_description": "Zníži aktuálnu hodnotu o 1 krok.", + "increment_description": "Zvýši hodnotu o 1 krok.", + "sets_the_value": "Nastaví hodnotu.", + "the_target_value": "Cieľová hodnota.", + "reloads_the_automation_configuration": "Znovu načíta konfiguráciu automatizácie.", + "toggle_description": "Zapína a vypína prehrávač médií.", + "trigger_description": "Spúšťa činnosti automatizácie.", + "skip_conditions": "Preskočiť podmienky", + "trigger": "Spúšťač", + "disables_an_automation": "Zakáže automatizáciu.", + "stops_currently_running_actions": "Zastaví práve prebiehajúce akcie.", + "stop_actions": "Zastavenie akcií", + "enables_an_automation": "Umožňuje automatizáciu.", "restarts_an_add_on": "Reštartuje doplnok.", "the_add_on_slug": "Doplnková známka.", "restart_add_on": "Reštartujte doplnok.", @@ -2740,172 +2910,6 @@ "restore_partial_description": "Obnovuje z čiastočnej zálohy.", "restores_home_assistant": "Obnoví funkciu Home Assistant.", "restore_from_partial_backup": "Obnovenie z čiastočnej zálohy.", - "broadcast_address": "Adresa broadcast", - "broadcast_port_description": "Port, kam poslať magický paket.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC adresa", - "send_magic_packet": "Odoslanie magického paketu", - "command_description": "Príkazy na odoslanie Asistentovi Google.", - "command": "Príkaz", - "media_player_entity": "Entita prehrávača médií", - "send_text_command": "Odoslať textový príkaz", - "clear_tts_cache": "Vymazanie vyrovnávacej pamäte TTS", - "cache": "Cache", - "entity_id_description": "Entita, na ktorú sa má odkazovať v zázname denníka.", - "language_description": "Jazyk textu. Predvolené nastavenie je jazyk servera.", - "options_description": "Slovník obsahujúci možnosti špecifické pre integráciu.", - "say_a_tts_message": "Vyslovte správu TTS", - "media_player_entity_id_description": "Prehrávače médií na prehrávanie správy.", - "speak": "Hovoriť", - "stops_a_running_script": "Zastaví spustený skript.", - "request_sync_description": "Odošle príkaz request_sync spoločnosti Google.", - "agent_user_id": "ID používateľa agenta", - "request_sync": "Žiadosť o synchronizáciu", - "sets_a_random_effect": "Nastaví náhodný efekt.", - "sequence_description": "Zoznam sekvencií HSV (Max 16).", - "backgrounds": "Pozadia", - "initial_brightness": "Počiatočný jas.", - "range_of_brightness": "Rozsah jasu.", - "brightness_range": "Rozsah jasu", - "fade_off": "Zmiznutie", - "range_of_hue": "Rozsah odtieňov.", - "hue_range": "Rozsah odtieňov", - "initial_hsv_sequence": "Počiatočná sekvencia HSV.", - "initial_states": "Počiatočné stavy", - "random_seed": "Náhodné osivo", - "range_of_saturation": "Rozsah sýtosti.", - "saturation_range": "Rozsah sýtosti", - "segments_description": "Zoznam segmentov (0 pre všetky).", - "segments": "Segmenty", - "transition": "Prechod", - "range_of_transition": "Rozsah prechodu.", - "transition_range": "Rozsah prechodu", - "random_effect": "Náhodný efekt", - "sets_a_sequence_effect": "Nastaví efekt sekvencie.", - "repetitions_for_continuous": "Opakovania (0 pre nepretržitú prevádzku).", - "repeats": "Opakovania", - "sequence": "Sekvencia", - "speed_of_spread": "Rýchlosť šírenia.", - "spread": "Rozšírenie", - "sequence_effect": "Efekt sekvencie", - "check_configuration": "Skontrolovať konfiguráciu", - "reload_config_entry_description": "Znovu načíta zadanú položku konfigurácie.", - "config_entry_id": "ID položky konfigurácie", - "reload_config_entry": "Opätovné načítanie položky konfigurácie", - "reload_core_config_description": "Načíta základnú konfiguráciu z konfigurácie YAML.", - "reload_core_configuration": "Opätovné načítanie konfigurácie jadra", - "reload_custom_jinja_templates": "Načítanie vlastných šablón Jinja2", - "restarts_home_assistant": "Reštartuje aplikáciu Home Assistant.", - "safe_mode_description": "Zakázať vlastné integrácie a vlastné karty.", - "save_persistent_states": "Uloženie trvalých stavov", - "set_location_description": "Aktualizuje umiestnenie aplikácie Home Assistant.", - "elevation_of_your_location": "Nadmorská výška vašej polohy.", - "latitude_of_your_location": "Zemepisná šírka vašej polohy.", - "longitude_of_your_location": "Zemepisná dĺžka vašej polohy.", - "set_location": "Nastavenie polohy", - "stops_home_assistant": "Zastaví funkciu Home Assistant.", - "generic_toggle": "Všeobecné prepínanie", - "generic_turn_off": "Všeobecné vypnutie", - "generic_turn_on": "Všeobecné zapnutie", - "update_entity": "Aktualizovať entitu", - "add_event_description": "Pridá novú udalosť kalendára.", - "location_description": "Miesto udalosti. Voliteľné.", - "start_date_description": "Dátum začiatku celodenného podujatia.", - "create_event": "Vytvoriť udalosť", - "get_events": "Získať udalosti", - "list_event": "Zoznam udalostí", - "toggles_a_switch_on_off": "Zapína/vypína prepínač.", - "turns_a_switch_off": "Vypne vypínač.", - "turns_a_switch_on": "Zapne vypínač.", - "disables_the_motion_detection": "Vypne detekciu pohybu.", - "disable_motion_detection": "Zakázanie detekcie pohybu", - "enables_the_motion_detection": "Zapne detekciu pohybu.", - "enable_motion_detection": "Povolenie detekcie pohybu", - "format_description": "Formát streamu podporovaný prehrávačom médií.", - "format": "Formát", - "media_player_description": "Prehrávače médií na streamovanie.", - "play_stream": "Prehrať stream", - "filename": "Názov súboru", - "lookback": "Spätné vyhľadávanie", - "snapshot_description": "Nasníma snímku z kamery.", - "take_snapshot": "Vytvorenie snímky", - "turns_off_the_camera": "Vypne kameru.", - "turns_on_the_camera": "Zapne kameru.", - "notify_description": "Odošle notifikačnú správu vybraným cieľom.", - "data": "Údaje", - "message_description": "Telo správy oznámenia.", - "title_of_the_notification": "Názov oznámenia.", - "send_a_persistent_notification": "Odoslanie trvalého oznámenia", - "sends_a_notification_message": "Odošle notifikačnú správu.", - "your_notification_message": "Vaša notifikačná správa.", - "title_description": "Voliteľný názov oznámenia.", - "send_a_notification_message": "Odoslanie notifikačnej správy", - "creates_a_new_backup": "Vytvorí novú zálohu.", - "see_description": "Zaznamená videné sledované zariadenie.", - "battery_description": "Úroveň nabitia batérie zariadenia.", - "gps_coordinates": "GPS súradnice", - "gps_accuracy_description": "Presnosť súradníc GPS.", - "hostname_of_the_device": "Názov hostiteľa zariadenia.", - "hostname": "Meno hostiteľa", - "mac_description": "MAC adresa zariadenia.", - "see": "Pozri", - "log_description": "Vytvorí vlastný záznam v denníku.", - "log": "Log", - "apply_description": "Aktivuje scénu s konfiguráciou.", - "entities_description": "Zoznam entít a ich cieľový stav.", - "entities_state": "Stav entít", - "apply": "Použiť", - "creates_a_new_scene": "Vytvorí novú scénu.", - "scene_id_description": "ID entity novej scény.", - "scene_entity_id": "ID entity scény", - "snapshot_entities": "Entity snímok", - "delete_description": "Odstráni dynamicky vytvorenú scénu.", - "activates_a_scene": "Aktivuje scénu.", - "turns_auxiliary_heater_on_off": "Zapnutie/vypnutie prídavného kúrenia.", - "aux_heat_description": "Nová hodnota prídavného ohrievača.", - "turn_on_off_auxiliary_heater": "Zapnutie/vypnutie prídavného ohrievača", - "sets_fan_operation_mode": "Nastaví režim prevádzky ventilátora.", - "fan_operation_mode": "Režim prevádzky ventilátora.", - "set_fan_mode": "Nastavenie režimu ventilátora", - "sets_target_humidity": "Nastaví cieľovú vlhkosť.", - "set_target_humidity": "Nastavenie cieľovej vlhkosti", - "sets_hvac_operation_mode": "Nastaví režim prevádzky HVAC.", - "hvac_operation_mode": "Režim prevádzky HVAC.", - "hvac_mode": "Režim HVAC", - "set_hvac_mode": "Nastavenie režimu HVAC", - "sets_preset_mode": "Nastaví režim predvoľby.", - "set_preset_mode": "Nastavenie prednastaveného režimu", - "sets_swing_operation_mode": "Nastaví režim prevádzky výkyvu.", - "swing_operation_mode": "Prevádzkový režim výkyvu.", - "set_swing_mode": "Nastavenie režimu klapky", - "sets_target_temperature": "Nastaví cieľovú teplotu.", - "high_target_temperature": "Vysoká cieľová teplota.", - "target_temperature_high": "Cieľová teplota je vysoká", - "low_target_temperature": "Nízka cieľová teplota.", - "target_temperature_low": "Cieľová teplota je nízka", - "set_target_temperature": "Nastavenie cieľovej teploty", - "turns_climate_device_off": "Vypne klimatizačné zariadenie.", - "turns_climate_device_on": "Zapnutie klimatizačného zariadenia.", - "clears_all_log_entries": "Vymaže všetky záznamy denníka.", - "clear_all": "Vymazať všetko", - "write_log_entry": "Napíšte záznam do denníka.", - "log_level": "Úroveň denníka.", - "level": "Úroveň", - "message_to_log": "Správa do denníka.", - "write": "Zapísať", - "device_description": "ID zariadenia, ktorému sa má poslať príkaz.", - "delete_command": "Odstrániť príkaz", - "alternative": "Alternatívne", - "command_type_description": "Typ príkazu, ktorý sa má naučiť.", - "command_type": "Typ príkazu", - "timeout_description": "Časový limit na naučenie príkazu.", - "learn_command": "Naučte sa príkaz", - "delay_seconds": "Oneskorenie v sekundách", - "hold_seconds": "Podržte sekundy", - "send_command": "Odoslať príkaz", - "toggles_a_device_on_off": "Zapnutie/vypnutie zariadenia.", - "turns_the_device_off": "Vypne zariadenie.", - "turn_on_description": "Vyšle príkaz na zapnutie.", "clears_the_playlist": "Vymaže zoznam skladieb.", "clear_playlist": "Vymazať zoznam skladieb", "selects_the_next_track": "Vyberie ďalšiu skladbu.", @@ -2923,7 +2927,6 @@ "select_sound_mode": "Výber režimu zvuku", "select_source": "Vyberte zdroj", "shuffle_description": "Či je alebo nie je zapnutý režim náhodného výberu.", - "toggle_description": "Prepína (zapína/vypína) automatizáciu.", "unjoin": "Odpojiť", "turns_down_the_volume": "Zníži hlasitosť.", "turn_down_volume": "Zníženie hlasitosti", @@ -2934,210 +2937,269 @@ "set_volume": "Nastavenie hlasitosti", "turns_up_the_volume": "Zvýši hlasitosť.", "turn_up_volume": "Zvýšenie hlasitosti", - "topic_to_listen_to": "Téma na počúvanie.", - "export": "Export", - "publish_description": "Publikuje správu do témy MQTT.", - "the_payload_to_publish": "Užitočné zaťaženie, ktoré sa má zverejniť.", - "payload": "Zaťaženie", - "payload_template": "Šablóna užitočného zaťaženia", - "qos": "QoS", - "retain": "Zachovať", - "topic_to_publish_to": "Téma na zverejnenie.", - "publish": "Publikovať", - "brightness_value": "Hodnota jasu", - "a_human_readable_color_name": "Názov farby čitateľný človekom.", - "color_name": "Názov farby", - "color_temperature_in_mireds": "Teplota farby v miredoch.", - "light_effect": "Svetelný efekt.", - "flash": "Blesk", - "hue_sat_color": "Farba odtieňa/saturácia", - "color_temperature_in_kelvin": "Teplota farby v Kelvinoch.", - "profile_description": "Názov svetelného profilu, ktorý sa má použiť.", - "white_description": "Nastavte svetlo na biely režim.", - "xy_color": "XY-farba", - "turn_off_description": "Vypnite jedno alebo viac svetiel.", - "brightness_step_description": "Zmena jasu o určitú hodnotu.", - "brightness_step_value": "Hodnota kroku jasu", - "brightness_step_pct_description": "Zmeňte jas o percento.", - "brightness_step": "Krok jasu", - "rgbw_color": "Farba RGBW", - "rgbww_color": "Farba RGBWW", - "reloads_the_automation_configuration": "Znovu načíta konfiguráciu automatizácie.", - "trigger_description": "Spúšťa činnosti automatizácie.", - "skip_conditions": "Preskočiť podmienky", - "trigger": "Spúšťač", - "disables_an_automation": "Zakáže automatizáciu.", - "stops_currently_running_actions": "Zastaví práve prebiehajúce akcie.", - "stop_actions": "Zastavenie akcií", - "enables_an_automation": "Umožňuje automatizáciu.", - "dashboard_path": "Cesta k prístrojovému panelu", - "view_path": "Zobraziť cestu", - "show_dashboard_view": "Zobraziť zobrazenie prístrojovej dosky", - "toggles_the_siren_on_off": "Zapína/vypína sirénu.", - "turns_the_siren_off": "Vypne sirénu.", - "turns_the_siren_on": "Zapne sirénu.", - "tone": "Tón", - "extract_media_url_description": "Výpis url adresy médií zo služby.", - "format_query": "Formátovať dotaz", - "url_description": "URL, kde možno nájsť médiá.", - "media_url": "Adresa URL média", - "get_media_url": "Získanie adresy URL médií", - "play_media_description": "Stiahne súbor z danej adresy URL.", - "removes_a_group": "Odstráni skupinu.", - "object_id": "ID objektu", - "creates_updates_a_user_group": "Vytvorí/aktualizuje skupinu používateľov.", - "add_entities": "Pridať entity", - "icon_description": "Názov ikony pre skupinu.", - "name_of_the_group": "Názov skupiny.", - "remove_entities": "Odstránenie entít", + "apply_filter": "Použiť filter", + "days_to_keep": "Dni na uchovanie", + "repack": "Prebalenie", + "purge": "Vyčistiť", + "domains_to_remove": "Domény na odstránenie", + "entity_globs_to_remove": "Globy entít, ktoré sa majú odstrániť", + "entities_to_remove": "Entity na odstránenie", + "purge_entities": "Vyčistiť entity", + "decrease_speed_description": "Zníži rýchlosť ventilátora.", + "percentage_step_description": "Zvyšuje rýchlosť o percentuálny krok.", + "decrease_speed": "Zníženie rýchlosti", + "increase_speed_description": "Zvyšuje rýchlosť ventilátora.", + "increase_speed": "Zvýšenie rýchlosti", + "oscillate_description": "Ovláda osciláciu ventilátora.", + "turn_on_off_oscillation": "Zapnutie/vypnutie oscilácie.", + "set_direction_description": "Nastavuje smer otáčania ventilátora.", + "direction_to_rotate": "Smer otáčania.", + "set_direction": "Nastavenie smeru", + "sets_the_fan_speed": "Nastaví rýchlosť ventilátora.", + "speed_of_the_fan": "Rýchlosť ventilátora.", + "percentage": "Percento", + "set_speed": "Nastavenie rýchlosti", + "sets_preset_mode": "Nastaví režim predvoľby.", + "set_preset_mode": "Nastavenie prednastaveného režimu", + "toggles_the_fan_on_off": "Prepína zapnutie/vypnutie ventilátora.", + "turns_fan_off": "Vypne ventilátor.", + "turns_fan_on": "Zapne ventilátor.", + "apply_description": "Aktivuje scénu s konfiguráciou.", + "entities_description": "Zoznam entít a ich cieľový stav.", + "entities_state": "Stav entít", + "transition": "Prechod", + "apply": "Použiť", + "creates_a_new_scene": "Vytvorí novú scénu.", + "scene_id_description": "ID entity novej scény.", + "scene_entity_id": "ID entity scény", + "snapshot_entities": "Entity snímok", + "delete_description": "Odstráni dynamicky vytvorenú scénu.", + "activates_a_scene": "Aktivuje scénu.", "selects_the_first_option": "Vyberie prvú možnosť.", "first": "Prvý", "selects_the_last_option": "Vyberie poslednú možnosť.", "select_the_next_option": "Vyberie ďalšiu možnosť.", - "cycle": "Cyklus", "selects_an_option": "Vyberie možnosť.", "option_to_be_selected": "Možnosť výberu.", "selects_the_previous_option": "Vyberie predchádzajúcu možnosť.", + "sets_the_options": "Nastaví možnosti.", + "list_of_options": "Zoznam možností.", + "set_options": "Nastaviť možnosti", + "closes_a_valve": "Zatvorí ventil.", + "opens_a_valve": "Otvorí ventil.", + "set_valve_position_description": "Presunie ventil do určitej polohy.", + "stops_the_valve_movement": "Zastaví pohyb ventilu.", + "toggles_a_valve_open_closed": "Prepína ventil otvorený/zavretý.", + "load_url_description": "Načíta adresu URL v prehliadači Fully Kiosk.", + "url_to_load": "URL na načítanie.", + "load_url": "Načítať URL", + "configuration_parameter_to_set": "Konfiguračný parameter na nastavenie.", + "key": "Kľúč", + "set_configuration": "Nastavenie konfigurácie", + "application_description": "Názov balíka aplikácie, ktorá sa má spustiť.", + "application": "Aplikácia", + "start_application": "Spustenie aplikácie", + "command_description": "Príkazy na odoslanie Asistentovi Google.", + "command": "Príkaz", + "media_player_entity": "Entita prehrávača médií", + "send_text_command": "Odoslať textový príkaz", + "code_description": "Kód používaný na odomknutie zámku.", + "arm_with_custom_bypass": "Zabezpečiť s vlastným bypassom", + "alarm_arm_vacation_description": "Nastaví budík na: _armed pre vacation_.", + "disarms_the_alarm": "Deaktivuje alarm.", + "alarm_trigger_description": "Povolí spustenie externého alarmu.", + "extract_media_url_description": "Extrahujte adresu URL média zo služby.", + "format_query": "Formátovať dotaz", + "url_description": "URL, kde možno nájsť médiá.", + "media_url": "Adresa URL média", + "get_media_url": "Získanie adresy URL médií", + "play_media_description": "Stiahne súbor z danej adresy URL.", + "sets_a_random_effect": "Nastaví náhodný efekt.", + "sequence_description": "Zoznam sekvencií HSV (Max 16).", + "backgrounds": "Pozadia", + "initial_brightness": "Počiatočný jas.", + "range_of_brightness": "Rozsah jasu.", + "brightness_range": "Rozsah jasu", + "fade_off": "Zmiznutie", + "range_of_hue": "Rozsah odtieňov.", + "hue_range": "Rozsah odtieňov", + "initial_hsv_sequence": "Počiatočná sekvencia HSV.", + "initial_states": "Počiatočné stavy", + "random_seed": "Náhodné osivo", + "range_of_saturation": "Rozsah sýtosti.", + "saturation_range": "Rozsah sýtosti", + "segments_description": "Zoznam segmentov (0 pre všetky).", + "segments": "Segmenty", + "range_of_transition": "Rozsah prechodu.", + "transition_range": "Rozsah prechodu", + "random_effect": "Náhodný efekt", + "sets_a_sequence_effect": "Nastaví efekt sekvencie.", + "repetitions_for_continuous": "Opakovania (0 pre nepretržitú prevádzku).", + "repeats": "Opakovania", + "sequence": "Sekvencia", + "speed_of_spread": "Rýchlosť šírenia.", + "spread": "Rozšírenie", + "sequence_effect": "Efekt sekvencie", + "press_the_button_entity": "Stlačte tlačidlo entity.", + "see_description": "Zaznamená videné sledované zariadenie.", + "battery_description": "Úroveň nabitia batérie zariadenia.", + "gps_coordinates": "GPS súradnice", + "gps_accuracy_description": "Presnosť súradníc GPS.", + "hostname_of_the_device": "Názov hostiteľa zariadenia.", + "hostname": "Meno hostiteľa", + "mac_description": "MAC adresa zariadenia.", + "mac_address": "MAC adresa", + "see": "Pozri", + "process_description": "Spustí konverzáciu z prepísaného textu.", + "agent": "Agent", + "conversation_id": "ID konverzácie", + "language_description": "Jazyk, ktorý sa má použiť na generovanie reči.", + "transcribed_text_input": "Prepis textového vstupu.", + "process": "Proces", + "reloads_the_intent_configuration": "Znova načíta konfiguráciu zámeru.", + "conversation_agent_to_reload": "Agent pre konverzáciu na opätovné načítanie.", "create_description": "Zobrazuje upozornenie na paneli **Upozornenia**.", + "message_description": "Správa záznamu v denníku.", "notification_id": "ID oznámenia", + "title_description": "Názov pre vašu notifikačnú správu.", "dismiss_description": "Odstráni upozornenie z panela **Upozornenia**.", "notification_id_description": "ID oznámenia, ktoré sa má odstrániť.", "dismiss_all_description": "Odstráni všetky upozornenia z panela **Upozornenia**.", - "cancels_a_timer": "Zruší časovač.", - "changes_a_timer": "Zmena časovača.", - "finishes_a_timer": "Ukončí časovač.", - "pauses_a_timer": "Pozastaví časovač.", - "starts_a_timer": "Spustí časovač.", - "duration_description": "Doba, ktorú časovač potrebuje na ukončenie. [voliteľné].", - "sets_the_options": "Nastaví možnosti.", - "list_of_options": "Zoznam možností.", - "set_options": "Nastaviť možnosti", - "clear_skipped_update": "Vymazať vynechanú aktualizáciu", - "install_update": "Inštalácia aktualizácie", - "skip_description": "Označí aktuálne dostupnú aktualizáciu ako preskočenú.", - "skip_update": "Vynechať aktualizáciu", - "set_default_level_description": "Nastaví predvolenú úroveň protokolu pre integrácie.", - "level_description": "Predvolená úroveň závažnosti pre všetky integrácie.", - "set_default_level": "Nastavenie predvolenej úrovne", - "set_level": "Nastaviť úroveň", - "create_temporary_strict_connection_url_name": "Vytvorenie dočasnej striktnej adresy URL pripojenia", - "remote_connect": "Vzdialené pripojenie", - "remote_disconnect": "Vzdialené odpojenie", - "set_value_description": "Nastaví hodnotu čísla.", - "value_description": "Hodnota konfiguračného parametra.", - "value": "Hodnota", - "closes_a_cover": "Zatvorí kryt.", - "close_cover_tilt_description": "Naklonením krytu sa zatvorí.", - "close_tilt": "Zavrieť naklonenie", - "opens_a_cover": "Otvorí kryt.", - "tilts_a_cover_open": "Odklápa kryt.", - "open_tilt": "Otvorený sklon", - "set_cover_position_description": "Presunie kryt na konkrétnu pozíciu.", - "target_position": "Cieľová pozícia.", - "target_tilt_positition": "Cieľová poloha naklonenia.", - "set_tilt_position": "Nastavenie polohy sklonu", - "stops_the_cover_movement": "Zastaví pohyb krytu.", - "stop_cover_tilt_description": "Zastaví pohyb naklápacieho krytu.", - "stop_tilt": "Zastavenie náklonu", - "toggles_a_cover_open_closed": "Prepína otvorenie/zavretie krytu.", - "toggle_cover_tilt_description": "Prepína sklon krytu otvorený/zavretý.", - "toggle_tilt": "Prepínanie náklonu", - "toggles_the_helper_on_off": "Zapína/vypína pomocníka.", - "turns_off_the_helper": "Vypne pomocníka.", - "turns_on_the_helper": "Zapne pomocníka.", - "decrement_description": "Zníži aktuálnu hodnotu o 1 krok.", - "increment_description": "Zvýši hodnotu o 1 krok.", - "sets_the_value": "Nastaví hodnotu.", - "the_target_value": "Cieľová hodnota.", - "dump_log_objects": "Výpis objektov denníka", - "log_current_tasks_description": "Zaznamená všetky aktuálne úlohy asyncio.", - "log_current_asyncio_tasks": "Prihlásenie aktuálnych úloh asyncio", - "log_event_loop_scheduled": "Naplánovaná slučka udalostí denníka", - "log_thread_frames_description": "Zaznamená aktuálne rámce pre všetky vlákna.", - "log_thread_frames": "Rámčeky pre vlákna denníka", - "lru_stats_description": "Zaznamenáva štatistiky všetkých lru cache.", - "log_lru_stats": "Štatistiky protokolu LRU", - "starts_the_memory_profiler": "Spustí nástroj Memory Profiler.", - "seconds": "Sekundy", - "memory": "Pamäť", - "set_asyncio_debug_description": "Zapnite alebo zakážte ladenie asyncio.", - "enabled_description": "Či povoliť alebo zakázať asyncio ladenie.", - "set_asyncio_debug": "Nastaviť ladenie asyncio", - "starts_the_profiler": "Spustí Profiler.", - "max_objects_description": "Maximálny počet objektov, ktoré sa majú zaznamenať.", - "maximum_objects": "Maximálny počet objektov", - "scan_interval_description": "Počet sekúnd medzi objektmi protokolovania.", - "scan_interval": "Interval skenovania", - "start_logging_object_sources": "Spustenie záznamu zdrojov objektov", - "start_log_objects_description": "Spustí zaznamenávanie rastu objektov v pamäti.", - "start_logging_objects": "Spustenie protokolovania objektov", - "stop_logging_object_sources": "Zastavenie záznamu zdrojov objektov", - "stop_log_objects_description": "Zastaví zaznamenávanie rastu objektov v pamäti.", - "stop_logging_objects": "Zastavenie zaznamenávania objektov", - "process_description": "Spustí konverzáciu z prepísaného textu.", - "agent": "Agent", - "conversation_id": "ID konverzácie", - "transcribed_text_input": "Prepis textového vstupu.", - "process": "Proces", - "reloads_the_intent_configuration": "Znova načíta konfiguráciu zámeru.", - "conversation_agent_to_reload": "Agent pre konverzáciu na opätovné načítanie.", - "apply_filter": "Použiť filter", - "days_to_keep": "Dni na uchovanie", - "repack": "Prebalenie", - "purge": "Vyčistiť", - "domains_to_remove": "Domény na odstránenie", - "entity_globs_to_remove": "Globy entít, ktoré sa majú odstrániť", - "entities_to_remove": "Entity na odstránenie", - "purge_entities": "Vyčistiť entity", - "reload_resources_description": "Znovu načíta zdroje dashboardu z konfigurácie YAML.", + "notify_description": "Odošle notifikačnú správu vybraným cieľom.", + "data": "Údaje", + "title_of_the_notification": "Názov oznámenia.", + "send_a_persistent_notification": "Odoslanie trvalého oznámenia", + "sends_a_notification_message": "Odošle notifikačnú správu.", + "your_notification_message": "Vaša notifikačná správa.", + "send_a_notification_message": "Odoslanie notifikačnej správy", + "device_description": "ID zariadenia, ktorému sa má poslať príkaz.", + "delete_command": "Odstrániť príkaz", + "alternative": "Alternatívne", + "command_type_description": "Typ príkazu, ktorý sa má naučiť.", + "command_type": "Typ príkazu", + "timeout_description": "Časový limit na naučenie príkazu.", + "learn_command": "Naučte sa príkaz", + "delay_seconds": "Oneskorenie v sekundách", + "hold_seconds": "Podržte sekundy", + "send_command": "Odoslať príkaz", + "toggles_a_device_on_off": "Zapnutie/vypnutie zariadenia.", + "turns_the_device_off": "Vypne zariadenie.", + "turn_on_description": "Vyšle príkaz na zapnutie.", + "stops_a_running_script": "Zastaví spustený skript.", + "locks_a_lock": "Uzamkne zámok.", + "opens_a_lock": "Otvorí zámok.", + "unlocks_a_lock": "Odomkne zámok.", + "turns_auxiliary_heater_on_off": "Zapnutie/vypnutie prídavného kúrenia.", + "aux_heat_description": "Nová hodnota prídavného ohrievača.", + "turn_on_off_auxiliary_heater": "Zapnutie/vypnutie prídavného ohrievača", + "sets_fan_operation_mode": "Nastaví režim prevádzky ventilátora.", + "fan_operation_mode": "Režim prevádzky ventilátora.", + "set_fan_mode": "Nastavenie režimu ventilátora", + "sets_target_humidity": "Nastaví cieľovú vlhkosť.", + "set_target_humidity": "Nastavenie cieľovej vlhkosti", + "sets_hvac_operation_mode": "Nastaví režim prevádzky HVAC.", + "hvac_operation_mode": "Režim prevádzky HVAC.", + "set_hvac_mode": "Nastavenie režimu HVAC", + "sets_swing_operation_mode": "Nastaví režim prevádzky výkyvu.", + "swing_operation_mode": "Prevádzkový režim výkyvu.", + "set_swing_mode": "Nastavenie režimu klapky", + "sets_target_temperature": "Nastaví cieľovú teplotu.", + "high_target_temperature": "Vysoká cieľová teplota.", + "target_temperature_high": "Cieľová teplota je vysoká", + "low_target_temperature": "Nízka cieľová teplota.", + "target_temperature_low": "Cieľová teplota je nízka", + "set_target_temperature": "Nastavenie cieľovej teploty", + "turns_climate_device_off": "Vypne klimatizačné zariadenie.", + "turns_climate_device_on": "Zapnutie klimatizačného zariadenia.", + "calendar_id_description": "Id požadovaného kalendára.", + "calendar_id": "ID kalendára", + "description_description": "Popis udalosti. Voliteľné.", + "summary_description": "Slúži ako názov udalosti.", + "creates_event": "Vytvára udalosť", + "dashboard_path": "Cesta k prístrojovému panelu", + "view_path": "Zobraziť cestu", + "show_dashboard_view": "Zobraziť zobrazenie prístrojovej dosky", + "brightness_value": "Hodnota jasu", + "a_human_readable_color_name": "Názov farby čitateľný pre človeka.", + "color_name": "Názov farby", + "color_temperature_in_mireds": "Teplota farby v miredoch.", + "light_effect": "Svetelný efekt.", + "hue_sat_color": "Farba odtieňa/saturácia", + "color_temperature_in_kelvin": "Teplota farby v Kelvinoch.", + "profile_description": "Názov svetelného profilu, ktorý sa má použiť.", + "rgbw_color": "Farba RGBW", + "rgbww_color": "Farba RGBWW", + "white_description": "Nastavte svetlo na biely režim.", + "xy_color": "XY-farba", + "turn_off_description": "Vypnite jedno alebo viac svetiel.", + "brightness_step_description": "Zmena jasu o určitú hodnotu.", + "brightness_step_value": "Hodnota kroku jasu", + "brightness_step_pct_description": "Zmeňte jas o percento.", + "brightness_step": "Krok jasu", + "topic_to_listen_to": "Téma na počúvanie.", + "export": "Export", + "publish_description": "Publikuje správu do témy MQTT.", + "the_payload_to_publish": "Užitočné zaťaženie, ktoré sa má zverejniť.", + "payload": "Zaťaženie", + "payload_template": "Šablóna užitočného zaťaženia", + "qos": "QoS", + "retain": "Zachovať", + "topic_to_publish_to": "Téma na zverejnenie.", + "publish": "Publikovať", + "ptz_move_description": "Pohybujte kamerou určitou rýchlosťou.", + "ptz_move_speed": "PTZ rýchlosť pohybu.", + "ptz_move": "PTZ pohyb", + "log_description": "Vytvorí vlastný záznam v denníku.", + "entity_id_description": "Prehrávače médií na prehrávanie správy.", + "log": "Log", + "toggles_a_switch_on_off": "Zapína/vypína prepínač.", + "turns_a_switch_off": "Vypne vypínač.", + "turns_a_switch_on": "Zapne vypínač.", "reload_themes_description": "Načíta témy z konfigurácie YAML.", "name_of_a_theme": "Názov témy.", "set_the_default_theme": "Nastavenie predvolenej témy", + "toggles_the_helper_on_off": "Zapína/vypína pomocníka.", + "turns_off_the_helper": "Vypne pomocníka.", + "turns_on_the_helper": "Zapne pomocníka.", "decrements_a_counter": "Zníži hodnotu počítadla.", "increments_a_counter": "Zvyšuje počítadlo.", "resets_a_counter": "Vynuluje počítadlo.", "sets_the_counter_value": "Nastaví hodnotu počítadla.", - "code_description": "Kód používaný na odomknutie zámku.", - "arm_with_custom_bypass": "Zabezpečiť s vlastným bypassom", - "alarm_arm_vacation_description": "Nastaví budík na: _armed pre vacation_.", - "disarms_the_alarm": "Deaktivuje alarm.", - "alarm_trigger_description": "Povolí spustenie externého alarmu.", + "remote_connect": "Vzdialené pripojenie", + "remote_disconnect": "Vzdialené odpojenie", "get_weather_forecast": "Získajte predpoveď počasia.", "type_description": "Typ predpovede: denná, hodinová alebo dvakrát denne.", "forecast_type": "Typ predpovede", "get_forecast": "Získať predpoveď", "get_weather_forecasts": "Získať predpoveď počasia.", "get_forecasts": "Získať predpovede", - "load_url_description": "Načíta adresu URL v prehliadači Fully Kiosk.", - "url_to_load": "URL na načítanie.", - "load_url": "Načítať URL", - "configuration_parameter_to_set": "Konfiguračný parameter na nastavenie.", - "key": "Kľúč", - "set_configuration": "Nastavenie konfigurácie", - "application_description": "Názov balíka aplikácie, ktorá sa má spustiť.", - "application": "Aplikácia", - "start_application": "Spustenie aplikácie", - "decrease_speed_description": "Zníži rýchlosť ventilátora.", - "percentage_step_description": "Zvyšuje rýchlosť o percentuálny krok.", - "decrease_speed": "Zníženie rýchlosti", - "increase_speed_description": "Zvyšuje rýchlosť ventilátora.", - "increase_speed": "Zvýšenie rýchlosti", - "oscillate_description": "Ovláda osciláciu ventilátora.", - "turn_on_off_oscillation": "Zapnutie/vypnutie oscilácie.", - "set_direction_description": "Nastavuje smer otáčania ventilátora.", - "direction_to_rotate": "Smer otáčania.", - "set_direction": "Nastavenie smeru", - "sets_the_fan_speed": "Nastaví rýchlosť ventilátora.", - "speed_of_the_fan": "Rýchlosť ventilátora.", - "percentage": "Percento", - "set_speed": "Nastavenie rýchlosti", - "toggles_the_fan_on_off": "Prepína zapnutie/vypnutie ventilátora.", - "turns_fan_off": "Vypne ventilátor.", - "turns_fan_on": "Zapne ventilátor.", - "locks_a_lock": "Uzamkne zámok.", - "opens_a_lock": "Otvorí zámok.", - "unlocks_a_lock": "Odomkne zámok.", - "press_the_button_entity": "Stlačte tlačidlo entity.", + "disables_the_motion_detection": "Vypne detekciu pohybu.", + "disable_motion_detection": "Zakázanie detekcie pohybu", + "enables_the_motion_detection": "Zapne detekciu pohybu.", + "enable_motion_detection": "Povolenie detekcie pohybu", + "format_description": "Formát streamu podporovaný prehrávačom médií.", + "format": "Formát", + "media_player_description": "Prehrávače médií na streamovanie.", + "play_stream": "Prehrať stream", + "filename": "Názov súboru", + "lookback": "Spätné vyhľadávanie", + "snapshot_description": "Nasníma snímku z kamery.", + "take_snapshot": "Vytvorenie snímky", + "turns_off_the_camera": "Vypne kameru.", + "turns_on_the_camera": "Zapne kameru.", + "clear_tts_cache": "Vymazanie vyrovnávacej pamäte TTS", + "cache": "Cache", + "options_description": "Slovník obsahujúci možnosti špecifické pre integráciu.", + "say_a_tts_message": "Vyslovte správu TTS", + "speak": "Hovoriť", + "broadcast_address": "Adresa broadcast", + "broadcast_port_description": "Port, kam poslať magický paket.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Odoslanie magického paketu", + "set_datetime_description": "Nastaví dátum a/alebo čas.", + "the_target_date": "Cieľový dátum.", + "datetime_description": "Cieľový dátum a čas.", + "the_target_time": "Cieľový čas.", "bridge_identifier": "Identifikátor mosta", "configuration_payload": "Konfiguračné užitočné zaťaženie", "entity_description": "Predstavuje konkrétny koncový bod zariadenia v systéme deCONZ.", @@ -3146,21 +3208,25 @@ "device_refresh_description": "Obnoví dostupné zariadenia z deCONZ.", "device_refresh": "Obnovenie zariadenia", "remove_orphaned_entries": "Odstránenie osirelých položiek", - "closes_a_valve": "Zatvorí ventil.", - "opens_a_valve": "Otvorí ventil.", - "set_valve_position_description": "Presunie ventil do určitej polohy.", - "stops_the_valve_movement": "Zastaví pohyb ventilu.", - "toggles_a_valve_open_closed": "Prepína ventil otvorený/zavretý.", - "calendar_id_description": "Id požadovaného kalendára.", - "calendar_id": "ID kalendára", - "description_description": "Popis udalosti. Voliteľné.", - "summary_description": "Slúži ako názov udalosti.", - "creates_event": "Vytvára udalosť", - "ptz_move_description": "Pohybujte kamerou určitou rýchlosťou.", - "ptz_move_speed": "PTZ rýchlosť pohybu.", - "ptz_move": "PTZ pohyb", - "set_datetime_description": "Nastaví dátum a/alebo čas.", - "the_target_date": "Cieľový dátum.", - "datetime_description": "Cieľový dátum a čas.", - "the_target_time": "Cieľový čas." + "removes_a_group": "Odstráni skupinu.", + "object_id": "ID objektu", + "creates_updates_a_user_group": "Vytvorí/aktualizuje skupinu používateľov.", + "add_entities": "Pridať entity", + "icon_description": "Názov ikony pre skupinu.", + "name_of_the_group": "Názov skupiny.", + "remove_entities": "Odstránenie entít", + "cancels_a_timer": "Zruší časovač.", + "changes_a_timer": "Zmena časovača.", + "finishes_a_timer": "Ukončí časovač.", + "pauses_a_timer": "Pozastaví časovač.", + "starts_a_timer": "Spustí časovač.", + "duration_description": "Doba, ktorú časovač potrebuje na ukončenie. [voliteľné].", + "set_default_level_description": "Nastaví predvolenú úroveň protokolu pre integrácie.", + "level_description": "Predvolená úroveň závažnosti pre všetky integrácie.", + "set_default_level": "Nastavenie predvolenej úrovne", + "set_level": "Nastaviť úroveň", + "clear_skipped_update": "Vymazať vynechanú aktualizáciu", + "install_update": "Inštalácia aktualizácie", + "skip_description": "Označí aktuálne dostupnú aktualizáciu ako preskočenú.", + "skip_update": "Vynechať aktualizáciu" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/sl/sl.json b/packages/core/src/hooks/useLocale/locales/sl/sl.json index b8f491c..6dd6e4e 100644 --- a/packages/core/src/hooks/useLocale/locales/sl/sl.json +++ b/packages/core/src/hooks/useLocale/locales/sl/sl.json @@ -1,7 +1,7 @@ { "energy": "Energy", "calendar": "Calendar", - "settings": "Nastavitve", + "settings": "Settings", "glance": "Pregled", "map": "Map", "logbook": "Logbook", @@ -34,7 +34,7 @@ "device": "Device", "upload_backup": "Naloži varnostno kopijo", "turn_on": "Turn on", - "turn_off": "Izklopljeno", + "turn_off": "Turn off", "toggle": "Toggle", "code": "Koda", "clear": "Čisto", @@ -48,6 +48,7 @@ "night": "Night", "vacation": "Vacation", "custom": "Custom", + "disarmed": "Izklopljeno", "area_not_found": "Območja ni bilo mogoče najti.", "last_triggered": "Last triggered", "run_actions": "Zaženi akcije", @@ -61,7 +62,7 @@ "name_heating": "{name} ogrevanje", "name_cooling": "{name} hlajenje", "high": "High", - "on": "Vklopljeno", + "low": "Low", "mode": "Način", "preset": "Prednastavitev", "action_to_target": "{action} to target", @@ -105,7 +106,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Brskajte po medijih", @@ -184,6 +185,7 @@ "loading": "Nalaganje…", "refresh": "Osveži", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Podvoji kartico", "remove": "Remove", @@ -226,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radij", @@ -239,6 +244,7 @@ "date_and_time": "Datum in čas", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -277,6 +283,7 @@ "was_opened": "je bilo odprto", "was_closed": "je bilo zaprto", "is_opening": "se odpira", + "is_opened": "is opened", "is_closing": "se zapira", "was_unlocked": "je bil odklenjeno", "was_locked": "je bil zaklenjeno", @@ -326,10 +333,13 @@ "sort_by_sortcolumn": "Razvrsti po {sortColumn}", "group_by_groupcolumn": "Združi po {groupColumn}", "don_t_group": "Ne združi", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Izbrano {selected}", "close_selection_mode": "Zapri izbirni način", "select_all": "Izberi vse", "select_none": "Izberi nič", + "customize_table": "Customize table", "conversation_agent": "Agent za pogovore", "none": "Brez", "country": "Country", @@ -339,6 +349,7 @@ "no_theme": "Brez teme", "language": "Language", "no_languages_available": "Jezikov ni na voljo", + "text_to_speech": "Text to speech", "voice": "Glas", "no_user": "Brez uporabnika", "add_user": "Dodaj uporabnika", @@ -378,7 +389,6 @@ "ui_components_area_picker_add_dialog_text": "Vnesite ime novega območja.", "ui_components_area_picker_add_dialog_title": "Dodajte novo območje", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -447,8 +457,8 @@ "white": "White", "start_date": "Start date", "end_date": "End date", - "select_time_period": "Select time period", - "today": "Danes", + "select_time_period": "Izberite časovno obdobje", + "now": "Danes", "yesterday": "Včeraj", "this_week": "Ta teden", "last_week": "Prejšnji teden", @@ -457,6 +467,9 @@ "last_month": "Prejšnji mesec", "this_year": "Letos", "last_year": "Lansko leto", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Nikoli", "history_integration_disabled": "Integracija zgodovine je onemogočena", "loading_state_history": "Nalagam zgodovino stanj …", @@ -488,6 +501,10 @@ "filtering_by": "Filtriranje po", "number_hidden": "{number} skrito", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Spol", "male": "Moški", @@ -580,6 +597,7 @@ "fri": "Pet", "sat": "Sob", "after": "Po", + "on": "Vklopljeno", "end_on": "Konec ob", "end_after": "Konec po", "ocurrences": "ponavljanja", @@ -738,7 +756,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Privzeta ({value})", @@ -821,7 +839,7 @@ "restart_home_assistant": "Ponovni zagon Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Hitri ponovni zagon", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Ponovno nalaganje konfiguracije", "failed_to_reload_configuration": "Ponovno nalaganje konfiguracije ni uspelo", "restart_description": "Prekinitev vseh zagnanih avtomatizacij in skript.", @@ -997,7 +1015,6 @@ "notification_toast_no_matching_link_found": "Ni ustrezne \"My link\" povezave za {path}", "app_configuration": "Nastavitve aplikacije", "sidebar_toggle": "Preklop stranske vrstice", - "done": "Done", "hide_panel": "Skrij ploščo", "show_panel": "Prikaži ploščo", "show_more_information": "Pokaži več informacij", @@ -1094,9 +1111,11 @@ "view_configuration": "Prikaži konfiguracijo", "name_view_configuration": "{name} Prikaži konfiguracijo", "add_view": "Dodaj pogled", + "background_title": "Add a background to the view", "edit_view": "Uredi pogled", "move_view_left": "Premakni pogled levo", "move_view_right": "Premakni pogled desno", + "background": "Background", "view_type": "Vrsta pogleda", "masonry_default": "Masonry (privzeto)", "sidebar": "Stranska vrstica", @@ -1104,8 +1123,8 @@ "sections_experimental": "Sections (experimental)", "subview": "Podpogled", "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Uredi v uporabniškem vmesniku", - "edit_in_yaml": "Uredi kot YAML", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Saving failed", "card_configuration": "Nastavitve kartice", "type_card_configuration": "{type} Konfiguracija kartice", @@ -1126,6 +1145,8 @@ "increase_card_position": "Increase card position", "more_options": "Več možnosti", "search_cards": "Poišči kartice", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Katero kartico želite dodati v pogled {name}?", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Izberite pogled", @@ -1139,8 +1160,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "Za vas smo ustvarili predlog", "pick_different_card": "Izberite drugačno karto", "add_to_dashboard": "Dodaj na nadzormo ploščo", @@ -1161,8 +1181,8 @@ "condition_did_not_pass": "Condition did not pass", "invalid_configuration": "Invalid configuration", "entity_numeric_state": "Številčno stanje entitete", - "above": "Zgoraj", - "below": "Spodaj", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Screen sizes", "mobile": "Mobile", @@ -1374,174 +1394,118 @@ "invalid_display_format": "Neveljavna oblika prikaza", "compare_data": "Primerjaj podatke", "reload_ui": "Znova naloži uporabniški vmesnik", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tags", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tags", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPE odstotek", - "disk_free": "Prosti disk", - "disk_total": "Skupaj disk", - "disk_used": "Uporabljen disk", - "memory_percent": "Odstotek pomnilnika", - "version": "Version", - "newest_version": "Najnovejša različica", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Težko", "mild": "Blago", "button_down": "Button down", @@ -1557,18 +1521,53 @@ "warm_up": "Warm-up", "not_completed": "Not completed", "checking": "Checking", - "closed": "Closed", + "closed": "Zaprto", "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Priključen", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPE odstotek", + "disk_free": "Prosti disk", + "disk_total": "Skupaj disk", + "disk_used": "Uporabljen disk", + "memory_percent": "Odstotek pomnilnika", + "version": "Version", + "newest_version": "Najnovejša različica", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solarni azimut", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Priključen", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1584,34 +1583,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solarni azimut", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Nezaprt alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Mokro", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Zaznano", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1620,6 +1671,9 @@ "package_lens": "Package lens 1", "person_lens": "Person lens 1", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1677,23 +1731,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Ostani ugasnjen", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Ostani ugasnjen", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1707,6 +1764,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1715,6 +1773,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1722,79 +1781,86 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", - "running_automations": "Zagon avtomatizacije", - "max_running_scripts": "Največje število zagnanih skript", - "run_mode": "Način delovanja", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Nezaprt alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", + "running_automations": "Running automations", + "id": "ID", + "max_running_automations": "Največje število zagnanih avtomatizacij", + "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Samo ventilacija", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Prezračevanje", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Hlajenje", - "drying": "Sušenje", - "heating": "Ogrevanje", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Način nihanja", - "both": "Oboje", - "horizontal": "Vodoravno", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Se ne polni", + "disconnected": "Prekinjena povezava", + "hot": "Vroče", + "no_light": "Ni svetlobe", + "light_detected": "Zaznana svetloba", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Brez gibanja", + "unplugged": "Izključeno", + "not_running": "Ne deluje", + "safe": "Varno", + "unsafe": "Nevarno", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1816,77 +1882,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Zaklenjeno", - "unlocked": "Odklenjeno", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Največje število zagnanih avtomatizacij", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Na voljo je posodobitev", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Nameščena verzija", - "latest_version": "Zadnja verzija", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Vklopljen (Odsoten)", "armed_custom_bypass": "Vklopljen (Obhod)", "armed_home": "Vklopljen (Doma)", @@ -1898,15 +1898,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Največje število zagnanih skript", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Samo ventilacija", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Prezračevanje", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Hlajenje", + "drying": "Sušenje", + "heating": "Ogrevanje", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Način nihanja", + "both": "Oboje", + "horizontal": "Vodoravno", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Jasno, noč", "cloudy": "Oblačno", "exceptional": "Izredno", @@ -1929,61 +1987,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Se ne polni", - "detected": "Zaznano", - "disconnected": "Prekinjena povezava", - "hot": "Vroče", - "no_light": "Ni svetlobe", - "light_detected": "Zaznana svetloba", - "wet": "Mokro", - "not_moving": "Brez gibanja", - "unplugged": "Izključeno", - "not_running": "Ne deluje", - "safe": "Varno", - "unsafe": "Nevarno", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Nameščena verzija", + "latest_version": "Zadnja verzija", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Povezava ni uspela", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Nepričakovana napaka", + "username": "Uporabniško ime", + "host": "Host", + "port": "Vrata", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Povezava ni uspela", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Uporabniško ime", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API ključ", + "configure_daikin_ac": "Nastavite Daikin klimo", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1999,39 +2077,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", - "unlock_the_device_optional": "Unlock the device (optional)", - "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Vrata", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Dvofaktorska koda", - "two_factor_authentication": "Dvofaktorska avtentikacija", - "sign_in_with_ring_account": "Prijava s računom Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2055,8 +2134,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2064,10 +2144,34 @@ "service_received": "Service received", "discovered_esphome_node": "Odkrita ESPHome vozlišča", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorološki institut", + "two_factor_code": "Dvofaktorska koda", + "two_factor_authentication": "Dvofaktorska avtentikacija", + "sign_in_with_ring_account": "Prijava s računom Ring", + "bridge_is_already_configured": "Most je že nastavljen", + "no_deconz_bridges_discovered": "Ni odkritih mostov deCONZ", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Posodobljen deCONZ z novim naslovom gostitelja", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Ključa API ni mogoče dobiti", + "link_with_deconz": "Povezava z deCONZ", + "select_discovered_deconz_gateway": "Izberite odkrit prehod deCONZ", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2080,82 +2184,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Ime že obstaja", - "passive": "Passive", - "define_zone_parameters": "Določite parametre območja", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Naprava je bolje podprta z drugo integracijo", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Ime že obstaja", + "passive": "Passive", + "define_zone_parameters": "Določite parametre območja", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Nastavite Daikin klimo", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Most je že nastavljen", - "no_deconz_bridges_discovered": "Ni odkritih mostov deCONZ", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Posodobljen deCONZ z novim naslovom gostitelja", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Ključa API ni mogoče dobiti", - "link_with_deconz": "Povezava z deCONZ", - "select_discovered_deconz_gateway": "Izberite odkrit prehod deCONZ", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorološki institut", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2238,6 +2310,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Dostop Home Assistant do Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2251,106 +2340,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Dovoli deCONZ CLIP senzorje", + "allow_deconz_light_groups": "Dovolite deCONZ skupine luči", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Konfiguracija vidnosti tipov naprav deCONZ", + "deconz_options": "možnosti deCONZ", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Dovoli deCONZ CLIP senzorje", - "allow_deconz_light_groups": "Dovolite deCONZ skupine luči", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Konfiguracija vidnosti tipov naprav deCONZ", - "deconz_options": "možnosti deCONZ", - "retry_count": "Retry count", - "data_calendar_access": "Dostop Home Assistant do Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} je doma", - "entity_name_is_not_home": "{entity_name} ni doma", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Spremeni način HVAC na {entity_name}", - "change_preset_on_entity_name": "Spremenite prednastavitev na {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} spremenjena izmerjena vlažnost", - "entity_name_measured_temperature_changed": "{entity_name} izmerjena temperaturna sprememba", - "entity_name_hvac_mode_changed": "{entity_name} HVAC način spremenjen", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} je nedejaven", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} predvaja", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} postane nedejaven", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Prvi gumb", "second_button": "Drugi gumb", "third_button": "Tretji gumb", "fourth_button": "Četrti gumb", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" gumb sproščen po dolgem pritisku", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Zmanjšajte svetlost {entity_name}", - "increase_entity_name_brightness": "Povečajte svetlost {entity_name}", - "flash_entity_name": "Osvetli (pobliskaj) {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} je posodobljen", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2358,8 +2378,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Zapri {entity_name}", "close_entity_name_tilt": "Zapri {entity_name} nagib", "open_entity_name": "Odpri {entity_name}", @@ -2377,7 +2399,113 @@ "entity_name_opened": "{entity_name} opened", "entity_name_position_changes": "{entity_name} spremembe položaja", "entity_name_tilt_position_changes": "{entity_name} spremembe nagiba", - "send_a_notification": "Send a notification", + "entity_name_battery_low": "{entity_name} ima prazno baterijo", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} je hladen", + "entity_name_is_connected": "{entity_name} je povezan", + "entity_name_is_detecting_gas": "{entity_name} zaznava plin", + "entity_name_is_hot": "{entity_name} je vroč", + "entity_name_is_detecting_light": "{entity_name} zaznava svetlobo", + "entity_name_is_locked": "{entity_name} je/so zaklenjen/a", + "entity_name_is_moist": "{entity_name} je vlažen", + "entity_name_is_detecting_motion": "{entity_name} zaznava gibanje", + "entity_name_is_moving": "{entity_name} se premika", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} ne zaznava plina", + "condition_type_is_no_light": "{entity_name} ne zaznava svetlobe", + "condition_type_is_no_motion": "{entity_name} ne zaznava gibanja", + "condition_type_is_no_problem": "{entity_name} ne zaznava težav", + "condition_type_is_no_smoke": "{entity_name} ne zaznava dima", + "condition_type_is_no_sound": "{entity_name} ne zaznava zvoka", + "entity_name_is_up_to_date": "{entity_name} je posodobljeno", + "condition_type_is_no_vibration": "{entity_name} ne zazna vibracij", + "entity_name_battery_is_normal": "{entity_name} baterija je polna", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} ni hladen", + "entity_name_is_disconnected": "{entity_name} ni povezan", + "entity_name_is_not_hot": "{entity_name} ni vroč", + "entity_name_is_unlocked": "{entity_name} je/so odklenjen/a", + "entity_name_is_dry": "{entity_name} je suh", + "entity_name_is_not_moving": "{entity_name} se ne premika", + "entity_name_is_not_occupied": "{entity_name} ni zaseden", + "entity_name_is_unplugged": "{entity_name} je odklopljen", + "entity_name_not_powered": "{entity_name} ni napajan", + "entity_name_not_present": "{entity_name} ni prisoten", + "entity_name_is_not_running": "{entity_name} se ne izvaja", + "condition_type_is_not_tampered": "{entity_name} ne zaznava nedovoljenih posegov", + "entity_name_is_safe": "{entity_name} je varen", + "entity_name_is_occupied": "{entity_name} je zaseden", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} je priključen", + "entity_name_is_powered": "{entity_name} je vklopljen", + "entity_name_is_present": "{entity_name} je prisoten", + "entity_name_is_detecting_problem": "{entity_name} zaznava težavo", + "entity_name_is_running": "{entity_name} se izvaja", + "entity_name_is_detecting_smoke": "{entity_name} zaznava dim", + "entity_name_is_detecting_sound": "{entity_name} zaznava zvok", + "entity_name_is_detecting_tampering": "{entity_name} zaznava nedovoljeno poseganje", + "entity_name_is_unsafe": "{entity_name} ni varen", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} zaznava vibracije", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} je postal hladen", + "entity_name_connected": "{entity_name} povezan", + "entity_name_started_detecting_gas": "{entity_name} začel zaznavati plin", + "entity_name_became_hot": "{entity_name} je postal vroč", + "entity_name_started_detecting_light": "{entity_name} začel zaznavati svetlobo", + "entity_name_locked": "{entity_name} zaklenjen/a", + "entity_name_became_moist": "{entity_name} postal vlažen", + "entity_name_started_detecting_motion": "{entity_name} začel zaznavati gibanje", + "entity_name_started_moving": "{entity_name} se je začel premikati", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} prenehal zaznavati plin", + "entity_name_stopped_detecting_light": "{entity_name} prenehal zaznavati svetlobo", + "entity_name_stopped_detecting_motion": "{entity_name} prenehal zaznavati gibanje", + "entity_name_stopped_detecting_problem": "{entity_name} prenehal odkrivati težavo", + "entity_name_stopped_detecting_smoke": "{entity_name} prenehal zaznavati dim", + "entity_name_stopped_detecting_sound": "{entity_name} prenehal zaznavati zvok", + "entity_name_became_up_to_date": "{entity_name} je posodobljen", + "entity_name_stopped_detecting_vibration": "{entity_name} prenehal zaznavati vibracije", + "entity_name_battery_normal": "{entity_name} ima polno baterijo", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} ni več hladen", + "entity_name_disconnected": "{entity_name} prekinjen", + "entity_name_became_not_hot": "{entity_name} ni več vroč", + "entity_name_unlocked": "{entity_name} odklenjen/a", + "entity_name_became_dry": "{entity_name} je postalo suh", + "entity_name_stopped_moving": "{entity_name} se je prenehal premikati", + "entity_name_unplugged": "{entity_name} odklopljen", + "trigger_type_not_running": "{entity_name} ne deluje več", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} je postal varen", + "entity_name_became_occupied": "{entity_name} postal zaseden", + "entity_name_plugged_in": "{entity_name} priključen", + "entity_name_powered": "{entity_name} priklopljen", + "entity_name_present": "{entity_name} prisoten", + "entity_name_started_detecting_problem": "{entity_name} začel odkrivati težavo", + "entity_name_started_running": "{entity_name} se je začel izvajati", + "entity_name_started_detecting_smoke": "{entity_name} začel zaznavati dim", + "entity_name_started_detecting_sound": "{entity_name} začel zaznavati zvok", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} je postal nevaren", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} je začel odkrivat vibracije", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} je nedejaven", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} predvaja", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} postane nedejaven", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Vključi {entity_name} zdoma", "arm_entity_name_home": "Vključi {entity_name} doma", "arm_entity_name_night": "Vključi {entity_name} noč", @@ -2394,12 +2522,26 @@ "entity_name_armed_home": "{entity_name} oborožen - dom", "entity_name_armed_night": "{entity_name} oborožen - noč", "entity_name_armed_vacation": "{entity_name} vklopljen (Počitnice)", + "entity_name_is_home": "{entity_name} je doma", + "entity_name_is_not_home": "{entity_name} ni doma", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Zakleni {entity_name}", + "unlock_entity_name": "Odkleni {entity_name}", + "action_type_set_hvac_mode": "Spremeni način HVAC na {entity_name}", + "change_preset_on_entity_name": "Spremenite prednastavitev na {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} spremenjena izmerjena vlažnost", + "entity_name_measured_temperature_changed": "{entity_name} izmerjena temperaturna sprememba", + "entity_name_hvac_mode_changed": "{entity_name} HVAC način spremenjen", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Trenutna raven baterije {entity_name}", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2444,6 +2586,7 @@ "entity_name_battery_level_changes": "{entity_name} spremembe ravni baterije", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2482,134 +2625,71 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Zmanjšajte svetlost {entity_name}", + "increase_entity_name_brightness": "Povečajte svetlost {entity_name}", + "flash_entity_name": "Osvetli (pobliskaj) {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" gumb sproščen po dolgem pritisku", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Oba gumba", + "bottom_buttons": "Spodnji gumbi", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Zatemnite", + "dim_up": "povečajte moč", + "left": "Levo", + "right": "Desno", + "side": "Stran 6", + "top_buttons": "Zgornji gumbi", + "device_awakened": "Naprava se je prebudila", + "trigger_type_remote_button_long_release": "\"{subtype}\" released after long press", + "button_rotated_subtype": "Gumb \"{subtype}\" zasukan", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Vrtenje \"{subtype}\" gumba se je ustavilo", + "device_subtype_double_tapped": "Naprava \"{subtype}\" dvakrat dotaknjena", + "trigger_type_remote_double_tap_any_side": "Naprava je bila dvojno tapnjena na katerokoli stran", + "device_in_free_fall": "Naprava v prostem padu", + "device_flipped_degrees": "Naprava se je obrnila za 90 stopinj", + "device_shaken": "Naprava se je pretresla", + "trigger_type_remote_moved": "Naprava je premaknjena s \"{subtype}\" navzgor", + "trigger_type_remote_moved_any_side": "Naprava se je premikala s katero koli stranjo navzgor", + "trigger_type_remote_rotate_from_side": "Naprava je zasukana iz \"strani 6\" v \"{subtype}\"", + "device_turned_clockwise": "Naprava se je obrnila v smeri urinega kazalca", + "device_turned_counter_clockwise": "Naprava se je obrnila v nasprotni smeri urinega kazalca", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} je pritisnjena", - "entity_name_battery_low": "{entity_name} ima prazno baterijo", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} je hladen", - "entity_name_is_connected": "{entity_name} je povezan", - "entity_name_is_detecting_gas": "{entity_name} zaznava plin", - "entity_name_is_hot": "{entity_name} je vroč", - "entity_name_is_detecting_light": "{entity_name} zaznava svetlobo", - "entity_name_is_locked": "{entity_name} je/so zaklenjen/a", - "entity_name_is_moist": "{entity_name} je vlažen", - "entity_name_is_detecting_motion": "{entity_name} zaznava gibanje", - "entity_name_is_moving": "{entity_name} se premika", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} ne zaznava plina", - "condition_type_is_no_light": "{entity_name} ne zaznava svetlobe", - "condition_type_is_no_motion": "{entity_name} ne zaznava gibanja", - "condition_type_is_no_problem": "{entity_name} ne zaznava težav", - "condition_type_is_no_smoke": "{entity_name} ne zaznava dima", - "condition_type_is_no_sound": "{entity_name} ne zaznava zvoka", - "entity_name_is_up_to_date": "{entity_name} je posodobljeno", - "condition_type_is_no_vibration": "{entity_name} ne zazna vibracij", - "entity_name_battery_is_normal": "{entity_name} baterija je polna", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} ni hladen", - "entity_name_is_disconnected": "{entity_name} ni povezan", - "entity_name_is_not_hot": "{entity_name} ni vroč", - "entity_name_is_unlocked": "{entity_name} je/so odklenjen/a", - "entity_name_is_dry": "{entity_name} je suh", - "entity_name_is_not_moving": "{entity_name} se ne premika", - "entity_name_is_not_occupied": "{entity_name} ni zaseden", - "entity_name_is_unplugged": "{entity_name} je odklopljen", - "entity_name_not_powered": "{entity_name} ni napajan", - "entity_name_not_present": "{entity_name} ni prisoten", - "entity_name_is_not_running": "{entity_name} se ne izvaja", - "condition_type_is_not_tampered": "{entity_name} ne zaznava nedovoljenih posegov", - "entity_name_is_safe": "{entity_name} je varen", - "entity_name_is_occupied": "{entity_name} je zaseden", - "entity_name_is_plugged_in": "{entity_name} je priključen", - "entity_name_is_powered": "{entity_name} je vklopljen", - "entity_name_is_present": "{entity_name} je prisoten", - "entity_name_is_detecting_problem": "{entity_name} zaznava težavo", - "entity_name_is_running": "{entity_name} se izvaja", - "entity_name_is_detecting_smoke": "{entity_name} zaznava dim", - "entity_name_is_detecting_sound": "{entity_name} zaznava zvok", - "entity_name_is_detecting_tampering": "{entity_name} zaznava nedovoljeno poseganje", - "entity_name_is_unsafe": "{entity_name} ni varen", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} zaznava vibracije", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} je postal hladen", - "entity_name_connected": "{entity_name} povezan", - "entity_name_started_detecting_gas": "{entity_name} začel zaznavati plin", - "entity_name_became_hot": "{entity_name} je postal vroč", - "entity_name_started_detecting_light": "{entity_name} začel zaznavati svetlobo", - "entity_name_locked": "{entity_name} zaklenjen/a", - "entity_name_became_moist": "{entity_name} postal vlažen", - "entity_name_started_detecting_motion": "{entity_name} začel zaznavati gibanje", - "entity_name_started_moving": "{entity_name} se je začel premikati", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} prenehal zaznavati plin", - "entity_name_stopped_detecting_light": "{entity_name} prenehal zaznavati svetlobo", - "entity_name_stopped_detecting_motion": "{entity_name} prenehal zaznavati gibanje", - "entity_name_stopped_detecting_problem": "{entity_name} prenehal odkrivati težavo", - "entity_name_stopped_detecting_smoke": "{entity_name} prenehal zaznavati dim", - "entity_name_stopped_detecting_sound": "{entity_name} prenehal zaznavati zvok", - "entity_name_stopped_detecting_vibration": "{entity_name} prenehal zaznavati vibracije", - "entity_name_battery_normal": "{entity_name} ima polno baterijo", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} ni več hladen", - "entity_name_disconnected": "{entity_name} prekinjen", - "entity_name_became_not_hot": "{entity_name} ni več vroč", - "entity_name_unlocked": "{entity_name} odklenjen/a", - "entity_name_became_dry": "{entity_name} je postalo suh", - "entity_name_stopped_moving": "{entity_name} se je prenehal premikati", - "entity_name_unplugged": "{entity_name} odklopljen", - "trigger_type_not_running": "{entity_name} ne deluje več", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} je postal varen", - "entity_name_became_occupied": "{entity_name} postal zaseden", - "entity_name_plugged_in": "{entity_name} priključen", - "entity_name_powered": "{entity_name} priklopljen", - "entity_name_present": "{entity_name} prisoten", - "entity_name_started_detecting_problem": "{entity_name} začel odkrivati težavo", - "entity_name_started_running": "{entity_name} se je začel izvajati", - "entity_name_started_detecting_smoke": "{entity_name} začel zaznavati dim", - "entity_name_started_detecting_sound": "{entity_name} začel zaznavati zvok", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} je postal nevaren", - "entity_name_started_detecting_vibration": "{entity_name} je začel odkrivat vibracije", - "both_buttons": "Oba gumba", - "bottom_buttons": "Spodnji gumbi", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Zatemnite", - "dim_up": "povečajte moč", - "left": "Levo", - "right": "Desno", - "side": "Stran 6", - "top_buttons": "Zgornji gumbi", - "device_awakened": "Naprava se je prebudila", - "trigger_type_remote_button_long_release": "\"{subtype}\" released after long press", - "button_rotated_subtype": "Gumb \"{subtype}\" zasukan", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Vrtenje \"{subtype}\" gumba se je ustavilo", - "device_subtype_double_tapped": "Naprava \"{subtype}\" dvakrat dotaknjena", - "trigger_type_remote_double_tap_any_side": "Naprava je bila dvojno tapnjena na katerokoli stran", - "device_in_free_fall": "Naprava v prostem padu", - "device_flipped_degrees": "Naprava se je obrnila za 90 stopinj", - "device_shaken": "Naprava se je pretresla", - "trigger_type_remote_moved": "Naprava je premaknjena s \"{subtype}\" navzgor", - "trigger_type_remote_moved_any_side": "Naprava se je premikala s katero koli stranjo navzgor", - "trigger_type_remote_rotate_from_side": "Naprava je zasukana iz \"strani 6\" v \"{subtype}\"", - "device_turned_clockwise": "Naprava se je obrnila v smeri urinega kazalca", - "device_turned_counter_clockwise": "Naprava se je obrnila v nasprotni smeri urinega kazalca", - "lock_entity_name": "Zakleni {entity_name}", - "unlock_entity_name": "Odkleni {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2740,16 +2820,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2784,122 +2959,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2907,6 +3024,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Nastavi alarm na:_armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2918,10 +3151,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Način delovanja nihanja.", "set_swing_mode": "Nastavi način nihanja", @@ -2933,75 +3163,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3009,187 +3189,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Nastavi alarm na:_armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3198,23 +3265,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json b/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json index 3c44d56..18af95b 100644 --- a/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json +++ b/packages/core/src/hooks/useLocale/locales/sr-Latn/sr-Latn.json @@ -1,7 +1,7 @@ { "energy": "Energy", "calendar": "Calendar", - "settings": "Podešavanja", + "settings": "Settings", "overview": "Pregled", "map": "Map", "logbook": "Logbook", @@ -38,13 +38,13 @@ "turn_off": "Turn off", "toggle": "Toggle", "code": "Code", - "clear": "Clear", + "clear": "Nije otkrivena", "arm": "Arm", "arm_home": "Arm home", "arm_away": "Arm away", "arm_night": "Arm night", "arm_vacation": "Arm vacation", - "custom_bypass": "Custom bypass", + "custom_bypass": "Prilagođeni zaobilazak", "modes": "Modes", "night": "Night", "vacation": "Vacation", @@ -97,17 +97,17 @@ "return_to_dock": "Return to dock", "brightness": "Brightness", "color_temperature": "Color temperature", - "white_brightness": "White brightness", + "white_brightness": "Bela svetlost", "color_brightness": "Boje svetlosti", "cold_white_brightness": "Hladna bela svetlost", "warm_white_brightness": "Topla bela svetlost", "effect": "Effect", "lock": "Lock", "unlock": "Unlock", - "open": "Open", + "open": "Otvoren", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Pregled medija", @@ -123,7 +123,7 @@ "volume_unmute": "Omogući zvuk", "repeat_mode": "Repeat mode", "shuffle": "Shuffle", - "text_to_speak": "Text to speak", + "text_to_speak": "Tekst za izgovor", "nothing_playing": "Ništa se ne reprodukuje", "dismiss": "Dismiss", "activate": "Activate", @@ -143,8 +143,8 @@ "empty_value": "(prazna vrednost)", "start": "Start", "finish": "Finish", - "resume_cleaning": "Resume cleaning", - "start_cleaning": "Start cleaning", + "resume_cleaning": "Nastavi čišćenje", + "start_cleaning": "Počnite sa čišćenjem", "open_valve": "Open valve", "close_valve": "Close valve", "stop_valve": "Stop valve", @@ -186,6 +186,7 @@ "loading": "Učitavanje…", "refresh": "Osveži", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Dupliraj", "remove": "Remove", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Отпремање није успело", "unknown_file": "Непознат фајл", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -241,6 +245,7 @@ "date_and_time": "Datum i vreme", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -266,7 +271,7 @@ "triggered_by_time_pattern": "pokretanjem vremenskog obrasca", "logbook_triggered_by_homeassistant_stopping": "pokretanjem zaustavljanja Home Assistant", "logbook_triggered_by_homeassistant_starting": "pokretanjem učitavanja Home Assistant", - "traces": "Traces", + "traces": "Praćenje", "could_not_load_logbook": "Nije moguće učitati dnevnik", "was_detected_away": "otkriven je da je odsutan", "was_detected_at_state": "otkriven je {state}", @@ -279,6 +284,7 @@ "was_opened": "je otvoren", "was_closed": "je zatvoren", "is_opening": "se otvara", + "is_opened": "is opened", "is_closing": "se zatvara", "was_unlocked": "je bio otključan", "was_locked": "je bio zaključan", @@ -318,19 +324,22 @@ "choose_device": "Odaberi uređaj", "choose_entity": "Odaberi entitet", "choose_label": "Choose label", - "filters": "Filters", - "show_number_results": "show {number} results", - "clear_filter": "Clear filter", - "close_filters": "Close filters", - "exit_selection_mode": "Exit selection mode", - "enter_selection_mode": "Enter selection mode", - "sort_by_sortcolumn": "Sort by {sortColumn}", - "group_by_groupcolumn": "Group by {groupColumn}", - "don_t_group": "Don't group", - "selected_selected": "Selected {selected}", - "close_selection_mode": "Close selection mode", - "select_all": "Select all", - "select_none": "Select none", + "filters": "Filteri", + "show_number_results": "prikaži {number} rezultata", + "clear_filter": "Opozovi filter", + "close_filters": "Izaberi filtere", + "exit_selection_mode": "Izađi iz režima selekcije", + "enter_selection_mode": "Uđi u režim selekcije", + "sort_by_sortcolumn": "Sortiraj po {sortColumn}", + "group_by_groupcolumn": "Grupiši po {groupColumn}", + "don_t_group": "Ne grupiši", + "collapse_all": "Skupi sve", + "expand_all": "Raširi sve", + "selected_selected": "Selektovano {selected}", + "close_selection_mode": "Zatvori režim selekcije", + "select_all": "Izaberi sve", + "select_none": "Ne izaberi ništa", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -340,7 +349,7 @@ "no_theme": "Nema teme", "language": "Language", "no_languages_available": "Nema dostupnih jezika", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Glas", "no_user": "No user", "add_user": "Add user", @@ -360,14 +369,14 @@ "no_matching_categories_found": "No matching categories found", "add_dialog_text": "Enter the name of the new category.", "failed_to_create_category": "Failed to create category.", - "show_labels": "Show labels", - "label": "Label", - "labels": "Labels", - "add_label": "Add label", - "add_new_label_name": "Add new label ''{name}''", - "add_new_label": "Add new label…", - "label_picker_no_labels": "You don't have any labels", - "no_matching_labels_found": "No matching labels found", + "show_labels": "Prikaži oznake", + "label": "Oznaka", + "labels": "Oznake", + "add_label": "Dodaj oznaku", + "add_new_label_name": "Dodaj novu oznaku \"{name}\"", + "add_new_label": "Dodaj novu oznaku...", + "label_picker_no_labels": "Nemate nikakve oznake", + "no_matching_labels_found": "Nisu pronađene odgovarajuće oznake", "show_areas": "Prikaži oblasti", "add_new_area_name": "Dodaj novu oblast ''{name}''", "add_new_area": "Dodaj novu oblast...", @@ -375,19 +384,18 @@ "no_matching_areas_found": "No matching areas found", "unassigned_areas": "Unassigned areas", "failed_to_create_area": "Failed to create area.", - "ui_components_area_picker_add_dialog_add": "Dodaj", "ui_components_area_picker_add_dialog_name": "Naziv", + "ui_components_area_picker_add_dialog_add": "Dodaj", "ui_components_area_picker_add_dialog_text": "Unesite naziv nove oblasti.", "ui_components_area_picker_add_dialog_title": "Dodaj novu oblast", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", "no_matching_floors_found": "No matching floors found", "failed_to_create_floor": "Failed to create floor.", "areas": "Areas", - "no_areas": "No areas", + "no_areas": "Nema oblasti", "area_filter_area_count": "{count} {count, plural,\n one {area}\n other {areas}\n}", "all_areas": "All areas", "show_area": "Show {area}", @@ -458,6 +466,9 @@ "last_month": "Prošlog meseca", "this_year": "Ove godine", "last_year": "Prošle godine", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Nikad", "history_integration_disabled": "History integration disabled", "loading_state_history": "Učitavanje istorije stanja...", @@ -473,7 +484,7 @@ "mean": "Srednja vrednost", "sum": "Sum", "change": "Change", - "service": "service", + "service": "servis", "this_field_is_required": "Ovo polje je obavezno", "targets": "Ciljevi", "service_data": "Podaci o usluzi", @@ -488,7 +499,11 @@ "no_data": "Nema podataka", "filtering_by": "Filtriranje po:", "number_hidden": "Skrivenih: {number}", - "ungrouped": "Ungrouped", + "ungrouped": "Negrupisano", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Pol", "male": "Muško", @@ -547,7 +562,7 @@ "save_item": "Save item", "due_date": "Due date", "item_not_all_required_fields": "Not all required fields are filled in", - "confirm_delete_prompt": "Do you want to delete this item?", + "confirm_delete_prompt": "Želite li da obrišete ovu stavku?", "my_calendars": "Moji kalendari", "create_calendar": "Create calendar", "calendar_event_retrieval_error": "Нисам успео да преузмем догађаје за календаре:", @@ -581,7 +596,7 @@ "fri": "Pet", "sat": "Sub", "after": "Posle", - "on": "Uključen", + "on": "On", "end_on": "Заврши закључно са", "end_after": "Заврши после", "ocurrences": "појаве", @@ -606,15 +621,15 @@ "enter_qr_code_value": "Unesi vrednost QR koda", "increase_temperature": "Povećaj temperaturu", "decrease_temperature": "Smanji temperaturu", - "copy_to_clipboard": "Copy to clipboard", + "copy_to_clipboard": "Kopiraj u klipbord", "safe_mode": "Safe mode", "all_yaml_configuration": "All YAML configuration", "domain": "Domain", "location_customizations": "Location & customizations", "reload_group": "Groups, group entities, and notify services", - "automations": "Automations", - "scripts": "Scripts", - "scenes": "Scenes", + "automations": "Automatizacije", + "scripts": "Skripte", + "scene": "Scene", "people": "People", "zones": "Zones", "input_booleans": "Ulaz logički: booleans", @@ -647,10 +662,10 @@ "navigate": "Navigate", "server": "Server", "logs": "Logs", - "integrations": "Integrations", + "integrations": "Integracije", "helpers": "Pomoćnici", "tag": "Tags", - "devices": "Devices", + "devices": "Uređaji", "entities": "Entities", "energy_configuration": "Energy Configuration", "dashboards": "Dashboards", @@ -662,7 +677,7 @@ "backups": "Backups", "analytics": "Analytics", "system_health": "System Health", - "blueprints": "Blueprints", + "blueprints": "Nacrti", "yaml": "YAML", "system": "System", "add_on_dashboard": "Add-on Dashboard", @@ -740,7 +755,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Jedinica za padavine", "display_precision": "Preciznost prikaza", "default_value": "Podrazumevano ({value})", @@ -749,7 +764,7 @@ "visibility_unit": "Jedinica za vidljivost", "wind_speed_unit": "Jedinica za brzinu vetra", "show_as": "Prikaži kao", - "show_switch_as": "Show switch as", + "show_switch_as": "Prikaži prekidač kao", "invert_state": "Invert state", "door": "Vrata", "garage_door": "Garage door", @@ -763,20 +778,20 @@ "gas": "Gas", "heat": "Grejanje", "light": "Svetlo", - "moisture": "Moisture", + "moisture": "Vlaga", "motion": "Kretanje", "moving": "Moving", - "occupancy": "Occupancy", + "occupancy": "Prisustvo", "plug": "Plug", "power": "Power", "presence": "Presence", "problem": "Problem", "safety": "Safety", "smoke": "Smoke", - "sound": "Sound", + "sound": "Zvuk", "tamper": "Tamper", "update": "Update", - "vibration": "Vibration", + "vibration": "Vibracija", "gate": "Gate", "shade": "Shade", "awning": "Awning", @@ -810,8 +825,8 @@ "rotate_right_and_flip": "Rotiraj nadesno i okreni", "rotate_right": "Rotiraj nadesno", "voice_assistants": "Glasovni asistenti", - "enable_type": "Enable {type}", - "device_registry_detail_enabled_cause": "The {type} is disabled by {cause}.", + "enable_type": "Omogući {type}", + "device_registry_detail_enabled_cause": "{type} je onemogućen od strane {cause}.", "unknown_error": "Nepoznata greška", "expose": "Expose", "aliases": "Pseudonimi", @@ -822,7 +837,7 @@ "restart_home_assistant": "Ponovo pokrenite Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Brzo ponovno učitavanje", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Ponovo učitavanje konfiguracije", "failed_to_reload_configuration": "Ponovno učitavanje konfiguracije nije uspelo", "restart_description": "Prekida sve pokrenute automatizacije i skripte.", @@ -860,11 +875,12 @@ "step_size": "Veličina koraka", "options": "Options", "add_option": "Dodaj opciju", - "remove_option": "Remove option", + "remove_option": "Ukloni opciju", "input_select_no_options": "Još uvek nema opcija.", "initial_value": "Initial value", "restore": "Restore", - "loading_loading_step": "Loading next step for {integration}", + "schedule_confirm_delete": "Želite li da izbrišete ovu stavku?", + "loading_loading_step": "Učitavanje sledećeg koraka za {integration}", "options_successfully_saved": "Opcije su uspešno sačuvane.", "repair_issue": "Repair issue", "the_issue_is_repaired": "Problem je popravljen!", @@ -945,7 +961,7 @@ "create_backup": "Create backup", "update_backup_text": "This will create a backup before installing.", "create": "Create", - "add_device": "Add device", + "add_device": "Dodaj uređaj", "matter_add_device_add_device_failed": "Failed to add the device", "add_matter_device": "Add Matter device", "no_it_s_new": "No. It’s new.", @@ -987,18 +1003,17 @@ "check_the_system_health": "Check the system health.", "remember": "Zapamti", "log_in": "Prijaviti se", - "notification_drawer_click_to_configure": "Click button to configure {entity}", + "notification_drawer_click_to_configure": "Kliknite na dugme da konfigurišete {entity}", "no_notifications": "Nema obaveštenja", "notifications": "Notifications", - "dismiss_all": "Dismiss all", - "notification_toast_service_call_failed": "Failed to call service {service}.", - "connection_lost_reconnecting": "Connection lost. Reconnecting…", - "home_assistant_has_started": "Home Assistant has started!", - "triggered_name": "Triggered {name}", + "dismiss_all": "Odbaci sve", + "notification_toast_service_call_failed": "Neuspešan poziv servisa {service}.", + "connection_lost_reconnecting": "Izgubljena veza. Ponovno povezivanje…", + "home_assistant_has_started": "Home Assistant je pokrenut!", + "triggered_name": "Pokrenuto {name}", "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "Podešavanja aplikacije", "sidebar_toggle": "Prikaži bočnu traku", - "done": "Done", "hide_panel": "Sakrij tablu", "show_panel": "Prikaži tablu", "show_more_information": "Prikaži više informacija", @@ -1019,7 +1034,7 @@ "drag_and_drop": "Drag and drop", "hold": "Drži:", "tap": "Dodirni:", - "navigate_to_location": "Отиђите на {location}", + "navigate_to_location": "Navigirajte do {location}", "open_window_to_url_path": "Open window to {url_path}", "toggle_name": "Укључи {name}", "call_service_name": "Call service {name}", @@ -1074,12 +1089,12 @@ "edit_dashboard": "Edit dashboard", "reload_resources": "Reload resources", "reload_resources_refresh_header": "Da li želite da osvežite?", - "edit_ui": "Edit UI", + "edit_ui": "Izmeni UI", "open_dashboard_menu": "Otvori meni kontrolne table", "raw_configuration_editor": "Raw configuration editor", "manage_dashboards": "Upravljanje kontrolnim tablama", "manage_resources": "Upravljanje resursima", - "edit_configuration": "Edit configuration", + "edit_configuration": "Izmeni konfiguraciju", "unsaved_changes": "Nesačuvane promene", "saved": "Sačuvano", "raw_editor_error_parse_yaml": "Unable to parse YAML: {error}", @@ -1092,9 +1107,11 @@ "view_configuration": "Prikaži konfiguraciju", "name_view_configuration": "{name} konfiguracija pogleda", "add_view": "Dodaj pogled", + "background_title": "Add a background to the view", "edit_view": "Izmeni pogled", "move_view_left": "Pomeri prikaz ulevo", "move_view_right": "Pomeri prikaz udesno", + "background": "Background", "badges": "Bedževi", "view_type": "Tip prikaza", "masonry_default": "Zidanje (podrazumevano)", @@ -1106,6 +1123,8 @@ "edit_in_visual_editor": "Edit in visual editor", "edit_in_yaml": "Edit in YAML", "saving_failed": "Saving failed", + "ui_panel_lovelace_editor_edit_view_type_helper_others": "Ne možete promeniti svoj prikaz na drugi tip jer migracija još uvek nije podržana. Počnite ispočetka sa novim prikazom ako želite da koristite drugi tip prikaza.", + "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Ne možete promeniti svoj prikaz da koristi tip prikaza 'sekcije' jer migracija još uvek nije podržana. Počnite ispočetka sa novim prikazom ako želite da eksperimentišete sa prikazom 'sekcije'.", "card_configuration": "Konfiguracija kartice", "type_card_configuration": "Konfiguracija kartice {type}", "edit_card_pick_card": "Koju karticu želite da dodate?", @@ -1125,6 +1144,8 @@ "increase_card_position": "Increase card position", "more_options": "Više opcija", "search_cards": "Pretraži kartice", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Koju karticu želite da dodate u pogled {name} ?", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", @@ -1138,15 +1159,14 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "Add to dashboard", "save_config_header": "Preuzmi kontrolu nad kontrolnom tablom", "save_config_empty_config": "Počnite sa praznom kontrolnom tablom", "take_control": "Take control", - "configuration_incompatible": "Configuration incompatible", + "configuration_incompatible": "Konfiguracija nije kompatibilna", "migrate_configuration": "Migrate configuration", "navigation_path": "Navigation path", "url_path": "URL path", @@ -1156,8 +1176,8 @@ "no_action": "Bez radnje", "add_condition": "Add condition", "test": "Test", - "condition_passes": "Condition passes", - "condition_did_not_pass": "Condition did not pass", + "condition_passes": "Uslov prolazi", + "condition_did_not_pass": "Uslov nije prošao", "invalid_configuration": "Invalid configuration", "entity_numeric_state": "Entity numeric state", "above": "Above", @@ -1349,182 +1369,125 @@ "ui_panel_lovelace_editor_color_picker_colors_white": "Бела", "ui_panel_lovelace_editor_color_picker_colors_disabled": "Onemogućeno", "warning_attribute_not_found": "Attribute {attribute} not available in: {entity}", - "entity_not_available_entity": "Entity not available: {entity}", - "entity_is_non_numeric_entity": "Entity is non-numeric: {entity}", + "entity_not_available_entity": "Entitet nije dostupan: {entity}", + "entity_is_non_numeric_entity": "Entitet nije numerički: {entity}", "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "Compare data", "reload_ui": "Ponovo učitaj korisnički interfejs", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1541,18 +1504,53 @@ "not_completed": "Not completed", "pending": "Čekanje", "checking": "Checking", - "closed": "Closed", + "closed": "Zatvoren", "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Sledeća zora", + "next_dusk": "Sledeći sumrak", + "next_midnight": "Sledeća ponoć", + "next_noon": "Sledeće podne", + "next_rising": "Sledeći izlazak", + "next_setting": "Sledeći zalazak", + "solar_azimuth": "Solarni azimut", + "solar_elevation": "Solarna nadmorska visina", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Priključeno", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1568,34 +1566,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Sledeća zora", - "next_dusk": "Sledeći sumrak", - "next_midnight": "Sledeća ponoć", - "next_noon": "Sledeće podne", - "next_rising": "Sledeći izlazak", - "next_setting": "Sledeći zalazak", - "solar_azimuth": "Solarni azimut", - "solar_elevation": "Solarna nadmorska visina", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Odvlaživanje", + "wet": "Mokro", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Osvetljenost", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detektovana", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1604,6 +1654,9 @@ "package_lens": "Package lens 1", "person_lens": "Person lens 1", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1661,23 +1714,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1691,6 +1747,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1699,6 +1756,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1706,81 +1764,90 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Hlađanje", - "dry": "Odvlaživanje", - "fan_only": "Ventilator", - "heat_cool": "Hlađanje/Grejanje", - "aux_heat": "Aux heat", - "current_humidity": "Trenutna vlažnost", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Trenutna akcija", - "cooling": "Hlađenje", - "drying": "Drying", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", - "buffering": "Buffering", - "paused": "Paused", - "playing": "Playing", + "not_charging": "Ne puni se", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "Nema svetla", + "light_detected": "Otkriveno svetlo", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Nema kretanja", + "unplugged": "Isključeno", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", + "buffering": "Buffering", + "paused": "Paused", + "playing": "Playing", "standby": "Standby", "app_id": "App ID", "local_accessible_entity_picture": "Local accessible entity picture", @@ -1799,77 +1866,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Aktivirano odsustvo", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Aktivirana kuća", @@ -1881,15 +1882,72 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", - "last_reset": "Last reset", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Hlađanje", + "fan_only": "Ventilator", + "heat_cool": "Hlađanje/Grejanje", + "aux_heat": "Aux heat", + "current_humidity": "Trenutna vlažnost", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Trenutna akcija", + "cooling": "Hlađenje", + "drying": "Drying", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", + "last_reset": "Poslednji reset", "possible_states": "Moguća stanja", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Vedra noć", "cloudy": "Oblačno", "exceptional": "Izuzetno", @@ -1912,62 +1970,81 @@ "uv_index": "UV index", "wind_bearing": "Smer vetra", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Ne puni se", - "detected": "Detektovana", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1983,39 +2060,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", - "unlock_the_device_optional": "Unlock the device (optional)", - "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2039,8 +2117,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2048,10 +2127,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2064,82 +2167,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2222,6 +2293,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2235,106 +2323,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2342,8 +2361,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2363,7 +2384,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2382,12 +2513,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} deaktivirano", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2432,6 +2577,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2470,137 +2616,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2731,16 +2810,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2775,122 +2949,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2898,6 +3014,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2909,10 +3141,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2924,75 +3153,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3000,187 +3179,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3189,23 +3255,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/sr/sr.json b/packages/core/src/hooks/useLocale/locales/sr/sr.json index 7507b87..616ad0f 100644 --- a/packages/core/src/hooks/useLocale/locales/sr/sr.json +++ b/packages/core/src/hooks/useLocale/locales/sr/sr.json @@ -107,7 +107,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Pregled medija", @@ -184,8 +184,9 @@ "continue": "Continue", "previous": "Previous", "loading": "Učitavanje…", - "refresh": "Refresh", + "refresh": "Osveži", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplicate", "remove": "Remove", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Отпремање није успело", "unknown_file": "Непознат фајл", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -238,9 +242,10 @@ "boolean": "Boolean", "condition": "Condition", "date": "Date", - "date_and_time": "Date and time", + "date_and_time": "Datum i vreme", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -266,7 +271,7 @@ "triggered_by_time_pattern": "triggered by time pattern", "logbook_triggered_by_homeassistant_stopping": "triggered by Home Assistant stopping", "logbook_triggered_by_homeassistant_starting": "triggered by Home Assistant starting", - "traces": "Traces", + "traces": "Praćenje", "could_not_load_logbook": "Could not load logbook", "was_detected_away": "was detected away", "was_detected_at_state": "was detected at {state}", @@ -279,6 +284,7 @@ "was_opened": "was opened", "was_closed": "was closed", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "was unlocked", "was_locked": "was locked", @@ -328,10 +334,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -341,7 +350,7 @@ "no_theme": "Nema teme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "No user", "add_user": "Add user", @@ -350,7 +359,7 @@ "show_devices": "Show devices", "device_picker_no_devices": "You don't have any devices", "no_matching_devices_found": "No matching devices found", - "no_area": "No area", + "no_area": "Nema oblast", "show_categories": "Show categories", "categories": "Categories", "category": "Category", @@ -361,14 +370,14 @@ "no_matching_categories_found": "No matching categories found", "add_dialog_text": "Enter the name of the new category.", "failed_to_create_category": "Failed to create category.", - "show_labels": "Show labels", - "label": "Label", - "labels": "Labels", - "add_label": "Add label", - "add_new_label_name": "Add new label ''{name}''", - "add_new_label": "Add new label…", - "label_picker_no_labels": "You don't have any labels", - "no_matching_labels_found": "No matching labels found", + "show_labels": "Prikaži oznake", + "label": "Oznaka", + "labels": "Oznake", + "add_label": "Dodaj oznaku", + "add_new_label_name": "Dodaj novu oznaku \"{name}\"", + "add_new_label": "Dodaj novu oznaku...", + "label_picker_no_labels": "Nemate nikakve oznake", + "no_matching_labels_found": "Nisu pronađene odgovarajuće oznake", "show_areas": "Show areas", "add_new_area_name": "Dodaj novu oblast ''{name}''", "add_new_area": "Add new area…", @@ -376,15 +385,15 @@ "no_matching_areas_found": "No matching areas found", "unassigned_areas": "Unassigned areas", "failed_to_create_area": "Failed to create area.", + "ui_components_area_picker_add_dialog_name": "Naziv", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", "no_matching_floors_found": "No matching floors found", "failed_to_create_floor": "Failed to create floor.", "areas": "Areas", - "no_areas": "No areas", + "no_areas": "Nema oblasti", "area_filter_area_count": "{count} {count, plural,\n one {area}\n other {areas}\n}", "all_areas": "All areas", "show_area": "Show {area}", @@ -446,7 +455,7 @@ "start_date": "Start date", "end_date": "End date", "select_time_period": "Select time period", - "today": "Danas", + "today": "Today", "yesterday": "Yesterday", "this_week": "This week", "last_week": "Last week", @@ -455,6 +464,9 @@ "last_month": "Last month", "this_year": "This year", "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Никада", "history_integration_disabled": "History integration disabled", "loading_state_history": "Loading state history…", @@ -471,7 +483,7 @@ "sum": "Sum", "change": "Change", "service": "service", - "this_field_is_required": "This field is required", + "this_field_is_required": "Ovo polje je obavezno", "targets": "Targets", "service_data": "Service data", "integration_documentation": "Integration documentation", @@ -480,12 +492,16 @@ "related_items_group": "Part of the following groups", "related_items_scene": "Part of the following scenes", "related_items_script": "Part of the following scripts", - "related_items_automation": "Part of the following automations", + "related_items_automation": "Deo sledećih automatizacija", "using_blueprint": "Using blueprint", "no_data": "No data", "filtering_by": "Filtering by", "number_hidden": "{number} hidden", - "ungrouped": "Ungrouped", + "ungrouped": "Negrupisano", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Pol", "male": "Muško", @@ -544,7 +560,7 @@ "save_item": "Save item", "due_date": "Due date", "item_not_all_required_fields": "Not all required fields are filled in", - "confirm_delete_prompt": "Do you want to delete this item?", + "confirm_delete_prompt": "Želite li da obrišete ovu stavku?", "my_calendars": "My calendars", "create_calendar": "Create calendar", "calendar_event_retrieval_error": "Нисам успео да преузмем догађаје за календаре:", @@ -603,13 +619,13 @@ "enter_qr_code_value": "Unesite vrednost QR koda", "increase_temperature": "Povećajte temperaturu", "decrease_temperature": "Smanjite temperaturu", - "copy_to_clipboard": "Copy to clipboard", + "copy_to_clipboard": "Kopiraj u klipbord", "safe_mode": "Safe mode", "all_yaml_configuration": "All YAML configuration", "domain": "Domain", "location_customizations": "Location & customizations", "reload_group": "Groups, group entities, and notify services", - "automations": "Automations", + "automations": "Automatizacije", "scripts": "Scripts", "scenes": "Scenes", "people": "People", @@ -738,7 +754,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -747,7 +763,7 @@ "visibility_unit": "Visibility unit", "wind_speed_unit": "Wind speed unit", "show_as": "Prikaži kao", - "show_switch_as": "Show switch as", + "show_switch_as": "Prikaži prekidač kao", "invert_state": "Invert state", "door": "Door", "garage_door": "Garage door", @@ -821,10 +837,10 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", - "restart_description": "Interrupts all running automations and scripts.", + "restart_description": "Prekida sve pokrenute automatizacije i skripte.", "restart_failed": "Failed to restart Home Assistant", "stop_home_assistant": "Stop Home Assistant?", "reboot_system": "Reboot system?", @@ -842,24 +858,25 @@ "remove_alias": "Remove alias", "add_alias": "Add alias", "aliases_no_aliases": "No aliases have been added yet", - "input_datetime_mode": "What do you want to input", - "minimum_length": "Minimum length", - "maximum_length": "Maximum length", - "display_mode": "Display mode", + "input_datetime_mode": "Šta želite da unesete", + "minimum_length": "Minimalna dužina", + "maximum_length": "Maksimalna dužina", + "display_mode": "Režim prikaza", "password": "Password", - "regex_pattern": "'Regex' шаблон", - "used_for_client_side_validation": "Користи се за валидацију са стране клијента", + "regex_pattern": "'Regex' šablon", + "used_for_client_side_validation": "Upotrebljava se za validaciju na klijentskoj strani", "minimum_value": "Minimum Value", "maximum_value": "Maximum Value", - "input_field": "Input field", + "input_field": "Polje za unos", "slider": "Slider", - "step_size": "Step size", + "step_size": "Veličina koraka", "options": "Options", - "add_option": "Add option", - "remove_option": "Remove option", - "input_select_no_options": "There are no options yet.", + "add_option": "Dodaj opciju", + "remove_option": "Ukloni opciju", + "input_select_no_options": "Još uvek nema opcija.", "initial_value": "Initial value", "restore": "Restore", + "schedule_confirm_delete": "Želite li da izbrišete ovu stavku?", "loading_loading_step": "Loading next step for {integration}", "options_successfully_saved": "Options successfully saved.", "repair_issue": "Repair issue", @@ -891,7 +908,7 @@ "services_remove": "Remove a device from the Zigbee network.", "services_zigbee_information": "View the Zigbee information for the device.", "quirk": "Quirk", - "last_seen": "Last seen", + "last_seen": "Poslednji put viđen", "power_source": "Power source", "change_device_name": "Change device name", "device_debug_info": "{device} debug info", @@ -985,17 +1002,16 @@ "remember": "Запамти", "log_in": "Пријави се", "notification_drawer_click_to_configure": "Click button to configure {entity}", - "no_notifications": "No notifications", + "no_notifications": "Nema obaveštenja", "notifications": "Notifications", "dismiss_all": "Dismiss all", "notification_toast_service_call_failed": "Failed to call service {service}.", - "connection_lost_reconnecting": "Connection lost. Reconnecting…", + "connection_lost_reconnecting": "Veza je izgubljena. Ponovno povezivanje...", "home_assistant_has_started": "Home Assistant has started!", "triggered_name": "Triggered {name}", "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "Подешавања апликације", "sidebar_toggle": "Прикажи бочну траку", - "done": "Done", "hide_panel": "Сакриј таблу", "show_panel": "Прикажи таблу", "show_more_information": "Prikaži više informacija", @@ -1089,9 +1105,11 @@ "view_configuration": "View configuration", "name_view_configuration": "{name} View Configuration", "add_view": "Add view", + "background_title": "Add a background to the view", "edit_view": "Edit view", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Background", "badges": "Badges", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1103,6 +1121,8 @@ "edit_in_visual_editor": "Edit in visual editor", "edit_in_yaml": "Edit in YAML", "saving_failed": "Saving failed", + "ui_panel_lovelace_editor_edit_view_type_helper_others": "Ne možete promeniti svoj prikaz na drugi tip jer migracija još uvek nije podržana. Počnite ispočetka sa novim prikazom ako želite da koristite drugi tip prikaza.", + "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Ne možete promeniti svoj prikaz da koristi tip prikaza 'sekcije' jer migracija još uvek nije podržana. Počnite ispočetka sa novim prikazom ako želite da eksperimentišete sa prikazom 'sekcije'.", "card_configuration": "Card configuration", "type_card_configuration": "{type} Card configuration", "edit_card_pick_card": "Which card would you like to add?", @@ -1122,6 +1142,9 @@ "increase_card_position": "Increase card position", "more_options": "More options", "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "Vidljivost", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "Dashboard", @@ -1134,8 +1157,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "Add to dashboard", @@ -1152,8 +1174,8 @@ "no_action": "No action", "add_condition": "Add condition", "test": "Test", - "condition_passes": "Condition passes", - "condition_did_not_pass": "Condition did not pass", + "condition_passes": "Uslov prolazi", + "condition_did_not_pass": "Uslov nije prošao", "invalid_configuration": "Invalid configuration", "entity_numeric_state": "Entity numeric state", "above": "Above", @@ -1352,177 +1374,122 @@ "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "Compare data", + "ui_panel_lovelace_components_energy_period_selector_today": "Danas", "reload_ui": "Reload UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1543,14 +1510,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1566,34 +1568,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1603,6 +1657,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1660,23 +1717,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1690,6 +1750,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1698,6 +1759,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1705,79 +1767,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1799,77 +1869,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1881,15 +1885,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1912,62 +1974,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1983,39 +2064,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2039,8 +2121,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2048,10 +2131,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2064,82 +2171,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2222,6 +2297,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2235,106 +2327,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2342,8 +2365,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2363,7 +2388,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2382,12 +2517,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2432,6 +2581,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2470,137 +2620,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2731,16 +2814,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2775,122 +2953,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2898,6 +3018,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2909,10 +3145,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2924,75 +3157,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3000,187 +3183,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3189,23 +3259,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/sv/sv.json b/packages/core/src/hooks/useLocale/locales/sv/sv.json index 3fb6d4c..808f97d 100644 --- a/packages/core/src/hooks/useLocale/locales/sv/sv.json +++ b/packages/core/src/hooks/useLocale/locales/sv/sv.json @@ -33,7 +33,7 @@ "upload_backup": "Ladda upp säkerhetskopia", "start": "Starta", "turn_off": "Stäng av", - "toggle": "Toggle", + "toggle": "Växla", "code": "Kod", "clear": "Stilla", "arm": "Larma på", @@ -103,8 +103,9 @@ "unlock": "Lås upp", "open": "Öppen", "open_door": "Open door", - "really_open": "Really open?", - "door_open": "Door open", + "really_open": "Är det verkligen öppet?", + "done": "Done", + "ui_card_lock_open_door_success": "Dörren öppen", "source": "Källa", "sound_mode": "Ljudläge", "browse_media": "Bläddra bland media", @@ -180,6 +181,7 @@ "loading": "Laddar…", "update": "Uppdatera", "delete": "Radera", + "delete_all": "Radera alla", "download": "Nedladdning", "duplicate": "Duplicera kort", "remove": "Ta bort", @@ -221,6 +223,9 @@ "media_content_type": "Medieinnehållstyp", "upload_failed": "Uppladdning misslyckades", "unknown_file": "Okänd fil", + "select_image": "Välj bild", + "upload_picture": "Ladda upp bild", + "image_url": "Lokal sökväg eller Webbadress", "latitude": "Latitud", "longitude": "Longitud", "radius": "Radie", @@ -234,6 +239,7 @@ "date_time": "Datum och tid", "duration": "Varaktighet", "entity": "Entitet", + "floor": "Våning", "icon": "Ikon", "location": "Plats", "number": "Nummer", @@ -272,6 +278,7 @@ "was_opened": "öppnades", "was_closed": "stängdes", "is_opening": "öppnas", + "is_opened": "är öppnad", "is_closing": "stängs", "was_unlocked": "låstes upp", "was_locked": "låstes", @@ -298,33 +305,36 @@ "entity_picker_no_entities": "Du har inga entiteter", "no_matching_entities_found": "Inga matchande entiteter hittades", "show_entities": "Visa entiteter", - "create_a_new_entity": "Create a new entity", + "create_a_new_entity": "Skapa en ny entitet", "show_attributes": "Visa attribut", "expand": "Expandera", - "target_picker_expand_floor_id": "Split this floor into separate areas.", + "target_picker_expand_floor_id": "Dela upp denna våning i separata områden.", "target_picker_expand_device_id": "Expandera den här enheten i separata entiteter.", - "remove_floor": "Remove floor", + "remove_floor": "Ta bort våning", "remove_area": "Ta bort området", "remove_device": "Ta bort enheten", "remove_entity": "Ta bort entiteten", - "remove_label": "Remove label", + "remove_label": "Ta bort etikett", "choose_area": "Välj område", "choose_device": "Välj enhet", "choose_entity": "Välj entitet", - "choose_label": "Choose label", - "filters": "Filters", - "show_number_results": "show {number} results", - "clear_filter": "Clear filter", - "close_filters": "Close filters", - "exit_selection_mode": "Exit selection mode", - "enter_selection_mode": "Enter selection mode", - "sort_by_sortcolumn": "Sort by {sortColumn}", - "group_by_groupcolumn": "Group by {groupColumn}", - "don_t_group": "Don't group", - "selected_selected": "Selected {selected}", - "close_selection_mode": "Close selection mode", - "select_all": "Select all", - "select_none": "Select none", + "choose_label": "Välj etikett", + "filters": "Filter", + "show_number_results": "visa {number} resultat", + "clear_filter": "Rensa filter", + "close_filters": "Stäng filter", + "exit_selection_mode": "Avsluta urvalsläget", + "enter_selection_mode": "Gå till urvalsläge", + "sort_by_sortcolumn": "Sortera efter {sortColumn}", + "group_by_groupcolumn": "Grupp efter {groupColumn}", + "don_t_group": "Gruppera inte", + "collapse_all": "Komprimera alla", + "expand_all": "Expandera alla", + "selected_selected": "Valt {selected}", + "close_selection_mode": "Stäng urvalsläget", + "select_all": "Välj alla", + "select_none": "Välj ingen", + "customize_table": "Anpassa tabell", "conversation_agent": "Konversationsagent", "none": "Inget", "country": "Land", @@ -332,9 +342,8 @@ "preferred_assistant_preferred": "Önskad assistent ( {preferred} )", "last_used_assistant": "Senast använda assistent", "no_theme": "Inget tema", - "language": "Language", + "language": "Språk", "no_languages_available": "Inget språk tillgängligt", - "text_to_speech": "Text-till-tal", "voice": "Röst", "no_user": "Ingen användare", "add_user": "Lägg till användare", @@ -351,34 +360,36 @@ "add_new_category_name": "Lägg till kategori \"{name}\"", "add_new_category": "Lägg till ny kategori", "category_picker_no_categories": "Du har inga kategorier", - "no_matching_categories_found": "No matching categories found", + "no_matching_categories_found": "Inga matchande kategorier hittades", "add_dialog_text": "Fyll i namnet för den den nya kategorin", "failed_to_create_category": "Misslyckades med att skapa kategori", - "show_labels": "Show labels", - "label": "Label", - "labels": "Labels", - "add_label": "Add label", - "add_new_label_name": "Add new label ''{name}''", - "add_new_label": "Add new label…", - "label_picker_no_labels": "You don't have any labels", - "no_matching_labels_found": "No matching labels found", + "show_labels": "Visa etiketter", + "label": "Etikett", + "labels": "Etiketter", + "add_label": "Lägg till etikett", + "add_new_label_name": "Lägg till ny etikett \"{name}\"", + "add_new_label": "Lägg till ny etikett...", + "label_picker_no_labels": "Du har inga etiketter", + "no_matching_labels_found": "Inga matchande etiketter hittades", "show_areas": "Visa områden", "add_new_area_name": "Lägg till nytt område '' {name} ''", "add_new_area": "Lägg till nytt område …", "area_picker_no_areas": "Du har inga områden", "no_matching_areas_found": "Inga matchande områden hittades", - "unassigned_areas": "Unassigned areas", - "failed_to_create_area": "Failed to create area.", + "unassigned_areas": "Ej tilldelade områden", + "failed_to_create_area": "Misslyckades med att skapa område.", "ui_components_area_picker_add_dialog_failed_create_area": "Det gick inte att skapa område.", "ui_components_area_picker_add_dialog_text": "Ange namnet på det nya området.", "ui_components_area_picker_add_dialog_title": "Lägg till nytt område", - "show_floors": "Show floors", - "floor": "Floor", - "add_new_floor_name": "Add new floor ''{name}''", - "add_new_floor": "Add new floor…", - "floor_picker_no_floors": "You don't have any floors", - "no_matching_floors_found": "No matching floors found", - "failed_to_create_floor": "Failed to create floor.", + "show_floors": "Visa våningar", + "add_new_floor_name": "Lägg till ny våning \"{name}\"", + "add_new_floor": "Lägg till ny våning...", + "floor_picker_no_floors": "Du har inga våningar", + "no_matching_floors_found": "Inga matchande våningar hittades", + "failed_to_create_floor": "Misslyckades med att skapa våning.", + "ui_components_floor_picker_add_dialog_failed_create_floor": "Det gick inte att skapa våning.", + "ui_components_floor_picker_add_dialog_text": "Skriv in namnet på den nya våningen.", + "ui_components_floor_picker_add_dialog_title": "Lägg till ny våning", "areas": "Områden", "no_areas": "Inga områden", "area_filter_area_count": "{count} {count, plural,\n one {område}\n other {områden}\n}", @@ -412,14 +423,13 @@ "current_picture": "Nuvarande bild", "picture_upload_supported_formats": "Stöder JPEG, PNG eller GIF-bilder.", "default_color_state": "Standardfärg (läge)", - "primary": "Primary", - "accent": "Accent", + "primary": "Primär", + "accent": "Accentfärg", "disabled": "Inaktiverad", - "inactive": "Inactive", "red": "Röd", "pink": "Rosa", "purple": "Lila", - "deep_purple": "Deep purple", + "deep_purple": "Djuplila", "indigo": "Indigoblå", "blue": "Blå", "light_blue": "Ljusblå", @@ -429,15 +439,15 @@ "light_green": "Ljusgrön", "lime": "Lime", "yellow": "Gul", - "amber": "Amber", + "amber": "Bärnsten", "orange": "Orange", - "deep_orange": "Deep orange", + "orange_red": "Orangeröd", "brown": "Brun", "light_grey": "Ljusgrå", "grey": "Grå", "dark_grey": "Mörkgrå", - "blue_grey": "Blue grey", - "black": "Black", + "blue_grey": "Blågrå", + "black": "Svart", "white": "Vit", "start_date": "Startdatum", "end_date": "Slutdatum", @@ -451,6 +461,9 @@ "last_month": "Förra månaden", "this_year": "Detta året", "last_year": "Förra året", + "reset_to_default_size": "Återställ till standardstorlek", + "number_of_columns": "Antal kolumner", + "number_of_rows": "Antal rader", "never": "Aldrig", "history_integration_disabled": "Integrationen Historik är inaktiverad", "loading_state_history": "Laddar historik…", @@ -480,7 +493,11 @@ "no_data": "Ingen data", "filtering_by": "Filtrera efter", "number_hidden": "{number} dold", - "ungrouped": "Ungrouped", + "ungrouped": "Ogrupperad", + "customize": "Anpassa", + "hide_column_title": "Göm kolumn {title}", + "show_column_title": "Visa kolumn {title}", + "restore_defaults": "Återställ standardvärden", "message": "Meddelande", "gender": "Kön", "male": "Man", @@ -808,9 +825,9 @@ "unsupported": "Stöds inte", "more_info_about_entity": "Mer info om entiteten", "restart_home_assistant": "Starta om Home Assistant?", - "advanced_options": "Advanced options", + "advanced_options": "Avancerade alternativ", "quick_reload": "Snabb omladdning", - "reload_description": "Laddar om hjälpare från YAML-konfigurationen.", + "reload_description": "Laddar om zoner från YAML-konfigurationen.", "reloading_configuration": "Laddar om konfigurationen", "failed_to_reload_configuration": "Misslyckades med att ladda om konfigurationen", "restart_description": "Avbryter alla pågående automatiseringar och skript.", @@ -927,30 +944,30 @@ "create_backup": "Skapa säkerhetskopia", "update_backup_text": "Detta kommer att skapa en säkerhetskopia innan installationen.", "create": "Skapa", - "add_device": "Add device", - "matter_add_device_add_device_failed": "Failed to add the device", - "add_matter_device": "Add Matter device", - "no_it_s_new": "No. It’s new.", - "main_answer_existing": "Yes. It’s already in use.", - "main_answer_existing_description": "My device is connected to another controller.", - "new_playstore": "Get it on Google Play", - "new_appstore": "Download on the App Store", - "existing_question": "Which controller is it connected to?", + "add_device": "Lägg till enhet", + "matter_add_device_add_device_failed": "Kunde inte lägga till enheten", + "add_matter_device": "Lägg till Matter-enhet", + "no_it_s_new": "Nej, den är ny.", + "main_answer_existing": "Ja, den används redan.", + "main_answer_existing_description": "Min enhet är ansluten till en annan kontroller.", + "new_playstore": "Hämta den på Google Play", + "new_appstore": "Ladda ner från App Store", + "existing_question": "Vilken styrenhet är den ansluten till?", "google_home": "Google Home", - "apple_home": "Apple Home", - "other_controllers": "Other controllers", - "link_matter_app": "Link Matter app", - "tap_linked_matter_apps_services": "Tap {linked_matter_apps_services}.", - "google_home_linked_matter_apps_services": "Linked Matter apps and services", - "link_apps_services": "Link apps & services", - "copy_pairing_code": "Copy pairing code", - "use_pairing_code": "Use Pairing Code", - "pairing_code": "Pairing code", - "copy_setup_code": "Copy setup code", - "apple_home_step": "You now see the setup code.", - "accessory_settings": "Accessory Settings", - "turn_on_pairing_mode": "Turn On Pairing Mode", - "setup_code": "Setup code", + "apple_home": "Apple Hem", + "other_controllers": "Andra kontroller", + "link_matter_app": "Länka Matter-app", + "tap_linked_matter_apps_services": "Tryck på {linked_matter_apps_services}.", + "google_home_linked_matter_apps_services": "Länkade Matter-appar och tjänster", + "link_apps_services": "Länka appar och tjänster", + "copy_pairing_code": "Kopiera parningskod", + "use_pairing_code": "Använd parningskod", + "pairing_code": "Parningskod", + "copy_setup_code": "Kopiera inställningskoden", + "apple_home_step": "Du ser nu installationskoden", + "accessory_settings": "Tillbehörsinställningar", + "turn_on_pairing_mode": "Slå på parkopplingsläget", + "setup_code": "Installationskod", "monday": "Måndag", "tuesday": "Tisdag", "wednesday": "Onsdag", @@ -972,7 +989,6 @@ "log_in": "Logga in", "notification_drawer_click_to_configure": "Klicka på knappen för att konfigurera {entity}", "no_notifications": "Inga notiser", - "notifications": "Notifications", "dismiss_all": "Avfärda alla", "notification_toast_service_call_failed": "Misslyckades med att anropa tjänsten {service}.", "connection_lost_reconnecting": "Anslutning tappad. Ansluter igen…", @@ -981,7 +997,6 @@ "notification_toast_no_matching_link_found": "Ingen matchande Min länk hittades för {path}", "app_configuration": "Appkonfiguration", "sidebar_toggle": "Växlingsknapp för sidofält", - "done": "Done", "hide_panel": "Dölj panel", "show_panel": "Visa panel", "show_more_information": "Visa mer information", @@ -996,7 +1011,7 @@ "active": "Aktiv", "todo_list_no_unchecked_items": "Du har inga att göra-uppgifter!", "completed": "Klart", - "remove_completed_items": "Rensa markerade objekt?", + "remove_completed_items": "Ta bort slutförda objekt?", "reorder_items": "Ändra ordning på uppgifter", "drag_and_drop": "Dra och släpp", "hold": "Håll:", @@ -1078,9 +1093,11 @@ "view_configuration": "Visa konfiguration", "name_view_configuration": "{name} Visa konfiguration", "add_view": "Lägg till vy", + "background_title": "Lägg till en bakgrund till vyn", "edit_view": "Redigera vy", "move_view_left": "Flytta vyn åt vänster", "move_view_right": "Flytta vyn åt höger", + "background": "Bakgrund", "badges": "Märken", "view_type": "Vy-typ", "masonry_default": "Murverk (standard)", @@ -1088,10 +1105,12 @@ "panel_card": "Panel (1 kort)", "sections_experimental": "Sektioner (experimentella)", "subview": "Undervy", - "max_number_of_columns": "Max number of columns", + "max_number_of_columns": "Max antal kolumner", "edit_in_visual_editor": "Redigera i den visuella redigeraren", - "edit_in_yaml": "Redigera som YAML", + "edit_in_yaml": "Redigera i YAML", "saving_failed": "Det gick inte att spara", + "ui_panel_lovelace_editor_edit_view_type_helper_others": "Du kan inte ändra din vy till en annan typ eftersom migrering inte stöds ännu. Börja om från början med en ny vy om du vill använda en annan typ av vy.", + "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Du kan inte ändra din vy så att den använder vytypen \"sektioner\" eftersom migrering inte stöds ännu. Börja om från början med en ny vy om du vill experimentera med vyn \"sections\".", "card_configuration": "Kortkonfiguration", "type_card_configuration": "{type} Kortkonfiguration", "edit_card_pick_card": "Vilket kort vill du lägga till?", @@ -1111,7 +1130,11 @@ "increase_card_position": "Öka kortposition", "more_options": "Fler alternativ", "search_cards": "Sök kort", + "config": "Inställning", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Vilket kort vill du lägga till i {name} -vyn?", + "ui_panel_lovelace_editor_edit_card_tab_config": "Konfig", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "Synlighet", "move_card_error_title": "Omöjligt att flytta kortet", "choose_a_view": "Välj en vy", "dashboard": "Kontrollpanel", @@ -1123,14 +1146,13 @@ "create_section": "Skapa sektion", "ui_panel_lovelace_editor_section_add_section": "Lägg till sektion", "delete_section": "Radera sektion", - "delete_section_text_named_section_only": "''{name}'' section will be deleted.", + "delete_section_text_named_section_only": "'' {name} '' kommer att raderas.", "delete_section_text_unnamed_section_only": "Denna sektion kommer raderas.", "ui_panel_lovelace_editor_delete_section_named_section": "\"{name}\" sektion", "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} och alla dess kort kommer att raderas.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} kommer att raderas.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Denna sektion", - "edit_name": "Ändra namn", - "add_name": "Lägg till namn", + "edit_section": "Redigera sektion", "suggest_card_header": "Vi har skapat ett förslag för dig", "pick_different_card": "Välj annat kort", "add_to_dashboard": "Lägg till i kontrollpanel", @@ -1150,8 +1172,8 @@ "condition_passes": "Villkoret är godkänt", "condition_did_not_pass": "Villkoret har inte godkänts", "entity_numeric_state": "Numeriskt tillstånd för entitet", - "above": "Över", - "below": "Under", + "above": "Ovan", + "below": "Nedan", "screen": "Skärm", "screen_sizes": "Skärmstorlekar", "mobile": "Mobil", @@ -1232,7 +1254,7 @@ "show_state": "Visa tillstånd?", "tap_action": "Händelse vid klick", "secondary_info_attribute": "Sekundär informationsattribut", - "generic_state_color": "Färg på ikon baserat på läge?", + "generic_state_color": "Färg på ikon baserat på tillstånd?", "suggested_cards": "Föreslagna kort", "other_cards": "Andra kort", "custom_cards": "Anpassade kort", @@ -1260,7 +1282,7 @@ "show_entity_picture": "Visa hela bilden", "vertical": "Vertikalt", "hide_state": "Dölj tillstånd", - "state_content": "Tillstånd innehåll", + "state_content": "Tillståndsinnehåll", "vertical_stack": "Vertikal trave", "weather_forecast": "Väderprognos", "weather_to_show": "Väder att visa", @@ -1278,34 +1300,34 @@ "cover_open_close": "Skyddet öppet/stängt", "cover_tilt": "Skyddets lutning", "alarm_modes": "Alarmlägen", - "customize_alarm_modes": "Customize alarm modes", - "lock_commands": "Lock commands", - "lock_open_door": "Lock open door", + "customize_alarm_modes": "Anpassa larmlägen", + "lock_commands": "Låskommandon", + "lock_open_door": "Lås öppen dörr", "vacuum_commands": "Dammsugarkommandon", "commands": "Kommandon", "climate_fan_modes": "Lägen för klimatfläkt", "style": "Stil", "dropdown": "Rullgardinsmeny", "icons": "Ikoner", - "customize_fan_modes": "Customize fan modes", + "customize_fan_modes": "Anpassa fläktlägen", "fan_modes": "Fläktlägen", "climate_swing_modes": "Climate swing modes", "swing_modes": "Sveplägen", - "customize_swing_modes": "Customize swing modes", + "customize_swing_modes": "Anpassa svinglägen", "hvac_modes": "HVAC-lägen", - "customize_hvac_modes": "Customize HVAC modes", + "customize_hvac_modes": "Anpassa HVAC-lägen", "climate_preset_modes": "Klimatlägen", - "customize_preset_modes": "Customize preset modes", - "fan_preset_modes": "Fan preset modes", + "customize_preset_modes": "Anpassa förinställda lägen", + "fan_preset_modes": "Förinställda fläktlägen", "humidifier_toggle": "Växla läge på luftfuktaren", "humidifier_modes": "Luftfuktarens lägen", - "customize_modes": "Customize modes", + "customize_modes": "Anpassa lägen", "select_options": "Välj alternativ", - "customize_options": "Customize options", + "customize_options": "Anpassa alternativ", "numeric_input": "Numerisk inmatning", "water_heater_operation_modes": "Varmvattenberedarens lägen", "operation_modes": "Arbetslägen", - "customize_operation_modes": "Customize operation modes", + "customize_operation_modes": "Anpassa driftlägen", "update_actions": "Uppdatera åtgärder", "backup": "Säkerhetskopiering", "ask": "Fråga", @@ -1323,188 +1345,133 @@ "header_editor": "Redigerare för sidhuvud", "footer_editor": "Redigerare för sidfot", "feature_editor": "Funktionsredigerare", - "ui_panel_lovelace_editor_color_picker_colors_black": "Svart", - "ui_panel_lovelace_editor_color_picker_colors_blue_grey": "Blågrå", + "ui_panel_lovelace_editor_color_picker_colors_accent": "Accent", "ui_panel_lovelace_editor_color_picker_colors_deep_orange": "Mörk orange", "dark_violet": "Mörklila", "lime_green": "Limegrön", - "ui_panel_lovelace_editor_color_picker_colors_primary": "Primär", "ui_panel_lovelace_editor_color_picker_colors_teal": "Blågrön", + "ui_panel_lovelace_editor_edit_section_title_title": "Ändra namn", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Lägg till namn", "warning_attribute_not_found": "Attribut {attribute} inte tillgängligt i: {entity}", "entity_not_available_entity": "Entiteten är ej tillgänglig: {entity}", "entity_is_non_numeric_entity": "Entiteten är icke-numerisk: {entity}", "warning_entity_unavailable": "{entity} är otillgänglig", "invalid_timestamp": "Ogiltig tidsstämpel", "invalid_display_format": "Ogiltigt visningsformat", + "now": "Nu", "compare_data": "Jämför data", "reload_ui": "Ladda om användargränssnittet", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Brytare", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grupp", - "timer": "Timer", - "zone": "Zon", - "schedule": "Schema", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Skydd", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Välj av eller på", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Samtal", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Skydd", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Inmatningsknapp", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Larmkontrollpanel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fläkt", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Enhetsspårare", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Välj av eller på", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Mata in datum och tid", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tagg", + "diagnostics": "Diagnostik", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Ventil", + "assist_pipeline": "Pipeline för assistans", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Klimat", + "conversation": "Samtal", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Filstorlek", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Autentiseringsuppgifter för applikationer", - "local_calendar": "Lokal kalender", - "trace": "Trace", - "input_number": "Mata in tal", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Mata in text", - "rpi_power_title": "Raspberry Pi strömförsörjningskontroll", - "weather": "Väder", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grupp", + "auth": "Auth", + "thread": "Thread", + "zone": "Zon", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schema", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Fjärrkontroll", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi strömförsörjningskontroll", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Brytare", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Enhetsspårare", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Väder", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Fjärrkontroll", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Mata in tal", + "binary_sensor": "Binär sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fläkt", + "scene": "Scene", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Händelse", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Händelse", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Klimat", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Räknare", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobilapp", - "diagnostics": "Diagnostik", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tagg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Autentiseringsuppgifter för applikationer", "logger": "Loggare", - "assist_pipeline": "Pipeline för assistans", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Inmatningsknapp", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Räknare", - "binary_sensor": "Binär sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU-procent", - "disk_free": "Fri disk", - "disk_total": "Total disk", - "disk_used": "Disk används", - "memory_percent": "Minnesprocent", - "version": "Version", - "newest_version": "Nyaste versionen", + "local_calendar": "Lokal kalender", "synchronize_devices": "Synkronisera enheter", - "device_name_current": "{device_name} aktuell", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} strömförbrukning", - "today_s_consumption": "Dagens förbrukning", - "device_name_today_s_consumption": "{device_name} dagens förbrukning", - "total_consumption": "Total förbrukning", - "device_name_total_consumption": "{device_name} total förbrukning", - "device_name_voltage": "{device_name} spänning", - "led": "LED", - "bytes_received": "Bytes mottagna", - "server_country": "Serverns land", - "server_id": "Server-ID", - "server_name": "Serverns namn", - "ping": "Ping", - "upload": "Uppladdning", - "bytes_sent": "Bytes skickade", - "air_quality_index": "Luftkvalitetsindex", - "noise": "Brus", - "overload": "Överbelastning", - "voltage": "Spänning", - "estimated_distance": "Uppskattat avstånd", - "vendor": "Leverantör", - "assist_in_progress": "Assistans pågår", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Bullerdämpning", - "noise_suppression_level": "Noise suppression level", - "off": "Av", - "preferred": "Föredragen", - "mute": "Mute", - "satellite_enabled": "Satellit aktiverad", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Senaste aktivitet", - "last_ding": "Senaste ding", - "last_motion": "Senaste rörelse", - "voice_volume": "Voice volume", - "volume": "Volym", - "wi_fi_signal_category": "Wifi signalkategori", - "wi_fi_signal_strength": "Wifi signalstyrka", - "battery_level": "Batterinivå", - "size": "Storlek", - "size_in_bytes": "Storlek i byte", - "finished_speaking_detection": "Slutdetektering av röstkommando", - "aggressive": "Aggressiv", - "default": "Standard", - "relaxed": "Avslappnad", - "call_active": "Samtal pågor", - "quiet": "Tyst", + "last_scanned_by_device_id_name": "Senast skannade av enhets-ID", + "tag_id": "Tagg-ID", "heavy": "Kraftig", "mild": "Mild", "button_down": "Knapp ned", @@ -1522,19 +1489,53 @@ "closed": "Stängd", "closing": "Stänger", "opened": "Öppnad", - "device_admin": "Enhetsadministratör", - "kiosk_mode": "Kioskläge", - "plugged_in": "Inkopplad", - "load_start_url": "Läs in start-URL", - "restart_browser": "Starta om webbläsaren", - "restart_device": "Starta om enheten", - "send_to_background": "Skicka till bakgrunden", - "bring_to_foreground": "Ta fram i förgrunden", - "screen_brightness": "Skärmens ljusstyrka", - "screen_off_timer": "Timer för avstängning av skärm", - "screensaver_brightness": "Skärmsläckarens ljusstyrka", - "screensaver_timer": "Timer för skärmsläckare", - "current_page": "Aktuell sida", + "battery_level": "Batterinivå", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU-procent", + "disk_free": "Fri disk", + "disk_total": "Total disk", + "disk_used": "Disk används", + "memory_percent": "Minnesprocent", + "version": "Version", + "newest_version": "Nyaste versionen", + "next_dawn": "Nästa gryning", + "next_dusk": "Nästa skymning", + "next_midnight": "Nästa midnatt", + "next_noon": "Nästa middag", + "next_rising": "Nästa soluppgång", + "next_setting": "Nästa solnedgång", + "solar_azimuth": "Solens azimut", + "solar_elevation": "Solhöjd", + "compressor_energy_consumption": "Kompressorns energiförbrukning", + "compressor_estimated_power_consumption": "Kompressorns uppskattade strömförbrukning", + "compressor_frequency": "Kompressorns frekvens", + "cool_energy_consumption": "Kyla energiförbrukning", + "energy_consumption": "Energiförbrukning", + "heat_energy_consumption": "Värme energiförbrukning", + "inside_temperature": "Inomhustemperatur", + "outside_temperature": "Utomhustemperatur", + "assist_in_progress": "Assistans pågår", + "preferred": "Föredragen", + "finished_speaking_detection": "Slutdetektering av röstkommando", + "aggressive": "Aggressiv", + "default": "Standard", + "relaxed": "Avslappnad", + "device_admin": "Enhetsadministratör", + "kiosk_mode": "Kioskläge", + "plugged_in": "Inkopplad", + "load_start_url": "Läs in start-URL", + "restart_browser": "Starta om webbläsaren", + "restart_device": "Starta om enheten", + "send_to_background": "Skicka till bakgrunden", + "bring_to_foreground": "Ta fram i förgrunden", + "screenshot": "Skärmdump", + "overlay_message": "Overlay message", + "screen_brightness": "Skärmens ljusstyrka", + "screen_off_timer": "Timer för avstängning av skärm", + "screensaver_brightness": "Skärmsläckarens ljusstyrka", + "screensaver_timer": "Timer för skärmsläckare", + "current_page": "Aktuell sida", "foreground_app": "App för förgrund", "internal_storage_free_space": "Ledigt utrymme för intern lagring", "internal_storage_total_space": "Totalt utrymme för intern lagring", @@ -1545,33 +1546,85 @@ "maintenance_mode": "Underhållsläge", "motion_detection": "Rörelsedetektering", "screensaver": "Skärmsläckare", - "compressor_energy_consumption": "Kompressorns energiförbrukning", - "compressor_estimated_power_consumption": "Kompressorns uppskattade strömförbrukning", - "compressor_frequency": "Kompressorns frekvens", - "cool_energy_consumption": "Kyla energiförbrukning", - "energy_consumption": "Energiförbrukning", - "heat_energy_consumption": "Värme energiförbrukning", - "inside_temperature": "Inomhustemperatur", - "outside_temperature": "Utomhustemperatur", - "next_dawn": "Nästa gryning", - "next_dusk": "Nästa skymning", - "next_midnight": "Nästa midnatt", - "next_noon": "Nästa middag", - "next_rising": "Nästa soluppgång", - "next_setting": "Nästa solnedgång", - "solar_azimuth": "Solens azimut", - "solar_elevation": "Solhöjd", - "calibration": "Kalibrering", - "auto_lock_paused": "Autolåsning pausad", - "timeout": "Timeout", - "unclosed_alarm": "Larm för öppen dörr", - "unlocked_alarm": "Larm för olåst dörr", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Ljusnivå", - "wi_fi_signal": "Wifi-signal", - "momentary": "Momentan", - "pull_retract": "Dra/dra tillbaka", + "battery_low": "Låg batterinivå", + "cloud_connection": "Molnanslutning", + "humidity_warning": "Humidity warning", + "overheated": "Överhettad", + "temperature_warning": "Temperaturvarning", + "update_available": "Uppdatering tillgänglig", + "dry": "Torkning", + "wet": "Blöt", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Dagens förbrukning", + "total_consumption": "Total förbrukning", + "device_name_current": "{device_name} aktuell", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} strömförbrukning", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signalstyrka", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} dagens förbrukning", + "device_name_total_consumption": "{device_name} total förbrukning", + "voltage": "Spänning", + "device_name_voltage": "{device_name} spänning", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Uppskattat avstånd", + "vendor": "Leverantör", + "air_quality_index": "Luftkvalitetsindex", + "noise": "Brus", + "overload": "Överbelastning", + "size": "Storlek", + "size_in_bytes": "Storlek i byte", + "bytes_received": "Bytes mottagna", + "server_country": "Serverns land", + "server_id": "Server-ID", + "server_name": "Serverns namn", + "ping": "Ping", + "upload": "Uppladdning", + "bytes_sent": "Bytes skickade", "animal": "Animal", + "detected": "Detekterad", "animal_lens": "Animal lens 1", "face": "Ansikte", "face_lens": "Ansikte lins 1", @@ -1581,6 +1634,9 @@ "person_lens": "Person lins 1", "pet": "Husdjur", "pet_lens": "Husdjur lins 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Fordon", "vehicle_lens": "Fordon lins 1", "visitor": "Besökare", @@ -1638,23 +1694,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Rörelsekänslighet", "pir_sensitivity": "PIR sensitivity", + "volume": "Volym", "zoom": "Zoom", "auto_quick_reply_message": "Auto-snabbsvar meddelande", + "off": "Av", "auto_track_method": "Metod för automatisk spårning", "digital": "Digitalt", "digital_first": "Digitalt först", "pan_tilt_first": "Pan/tilt först", "day_night_mode": "Dag/natt-läge", - "black_white": "Black & white", + "black_white": "Svartvit", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Automatiskt och alltid på under natten", + "stay_off": "Avstängd", "floodlight_mode": "Läge för strålkastare", "adaptive": "Adaptiv", "auto_adaptive": "Autoadaptiv", "on_at_night": "Nattläge", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ-preset", - "always_on": "Always on", - "state_alwaysonatnight": "Automatiskt och alltid på under natten", - "stay_off": "Avstängd", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1668,6 +1727,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ panoreringsläge", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Autofokus", "auto_tracking": "Automatisk spårning", "buzzer_on_event": "Summer vid händelse", @@ -1676,6 +1736,7 @@ "ftp_upload": "FTP-uppladdning", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1683,79 +1744,86 @@ "record": "Spela in", "record_audio": "Spela in ljud", "siren_on_event": "Siren vid händelse", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "gps_accuracy": "GPS-noggrannhet", + "call_active": "Samtal pågor", + "quiet": "Tyst", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Bullerdämpning", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellit aktiverad", + "calibration": "Kalibrering", + "auto_lock_paused": "Autolåsning pausad", + "timeout": "Timeout", + "unclosed_alarm": "Larm för öppen dörr", + "unlocked_alarm": "Larm för olåst dörr", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Ljusnivå", + "momentary": "Momentan", + "pull_retract": "Dra/dra tillbaka", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Senaste aktivitet", + "last_ding": "Senaste ding", + "last_motion": "Senaste rörelse", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wifi signalkategori", + "wi_fi_signal_strength": "Wifi signalstyrka", + "automatic": "Automatiskt", + "box": "Box", + "step": "Steg", + "apparent_power": "Skenbar effekt", + "carbon_dioxide": "Koldioxid", + "data_rate": "Datahastighet", + "distance": "Avstånd", + "stored_energy": "Lagrad energi", + "frequency": "Frekvens", + "irradiance": "Strålning", + "nitrogen_dioxide": "Kvävedioxid", + "nitrogen_monoxide": "Kväveoxid", + "nitrous_oxide": "Lustgas", + "ozone": "Ozon", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Effektfaktor", + "precipitation_intensity": "Nederbördsintensitet", + "reactive_power": "Reaktiv effekt", + "sound_pressure": "Ljudtryck", + "speed": "Speed", + "sulphur_dioxide": "Svaveldioxid", + "vocs": "VOC", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Lagrad volym", + "weight": "Vikt", + "available_tones": "Tillgängliga signaler", + "end_time": "Sluttid", + "start_time": "Starttid", + "managed_via_ui": "Hanteras via användargränssnittet", + "next_event": "Nästa event", + "stopped": "Stoppad", + "garage": "Garage", "running_automations": "Automationer som körs", - "max_running_scripts": "Maximalt antal skript som körs", + "id": "ID", + "max_running_automations": "Maximalt antal pågående automatiseringar", "run_mode": "Körläge", "parallel": "Parallell", "queued": "Köad", "single": "Enkel", - "end_time": "Sluttid", - "start_time": "Starttid", - "recording": "Inspelning", - "streaming": "Strömmar", - "access_token": "Åtkomsttoken", - "brand": "Märke", - "stream_type": "Strömtyp", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Modell", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Kylning", - "dry": "Torkning", - "fan_only": "Enbart fläkt", - "heat_cool": "Värme/kyla", - "aux_heat": "Extra värme", - "current_humidity": "Aktuell fuktighet", - "current_temperature": "Current Temperature", - "fan_mode": "Fläktläge", - "diffuse": "Diffus", - "middle": "Mellan", - "top": "Topp", - "current_action": "Aktuell åtgärd", - "cooling": "Kyler", - "drying": "Torkar", - "heating": "Värmer", - "preheating": "Förvärmning", - "max_target_humidity": "Max målluftfuktighet", - "max_target_temperature": "Högsta måltemperatur", - "min_target_humidity": "Min målluftfuktighet", - "min_target_temperature": "Minsta måltemperatur", - "boost": "Boost-läge", - "comfort": "Komfort", - "eco": "Eco", - "sleep": "viloläge", - "presets": "Förinställningar", - "swing_mode": "Svängläge", - "both": "Båda", - "horizontal": "Horisontellt", - "upper_target_temperature": "Övre måltemperatur", - "lower_target_temperature": "Lägre måltemperatur", - "target_temperature_step": "Steg för måltemperatur", - "buffering": "Buffrar", + "not_charging": "Laddar inte", + "disconnected": "Frånkopplad", + "connected": "Ansluten", + "hot": "Varmt", + "no_light": "Inget ljus", + "light_detected": "Ljus detekterat", + "locked": "Låst", + "unlocked": "Olåst", + "not_moving": "Ingen rörelse", + "unplugged": "Urkopplad", + "not_running": "Kör inte", + "safe": "Säkert", + "unsafe": "Osäkert", + "tampering_detected": "Sabotage upptäckt", + "buffering": "Buffrar", "paused": "Pausad", "playing": "Spelar", "standby": "Viloläge", @@ -1776,75 +1844,11 @@ "receiver": "Mottagare", "speaker": "Högtalare", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Endast ljusstyrka", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Färgtemperatur (mireds)", - "color_temperature_kelvin": "Färgtemperatur (Kelvin)", - "available_effects": "Tillgängliga effekter", - "maximum_color_temperature_kelvin": "Högsta färgtemperatur (Kelvin)", - "maximum_color_temperature_mireds": "Högsta färgtemperatur (mireds)", - "minimum_color_temperature_kelvin": "Lägsta färgtemperatur (Kelvin)", - "minimum_color_temperature_mireds": "Lägsta färgtemperatur (mireds)", - "available_color_modes": "Tillgängliga färglägen", - "event_type": "Händelsetyp", - "event_types": "Händelsetyper", - "doorbell": "Dörrklocka", - "available_tones": "Tillgängliga signaler", - "locked": "Låst", - "unlocked": "Olåst", - "members": "Medlemmar", - "managed_via_ui": "Hanteras via användargränssnittet", - "id": "ID", - "max_running_automations": "Maximalt antal pågående automatiseringar", - "finishes_at": "Avslutas vid", - "remaining": "Återstående", - "next_event": "Nästa event", - "update_available": "Uppdatering tillgänglig", - "auto_update": "Uppdatera automatiskt", - "in_progress": "Pågående", - "installed_version": "Installerad version", - "latest_version": "Senaste version", - "release_summary": "Version sammanfattning", - "release_url": "Version URL", - "skipped_version": "Överhoppad version", - "firmware": "Firmware", - "automatic": "Automatiskt", - "box": "Box", - "step": "Steg", - "apparent_power": "Skenbar effekt", - "carbon_dioxide": "Koldioxid", - "data_rate": "Datahastighet", - "distance": "Avstånd", - "stored_energy": "Lagrad energi", - "frequency": "Frekvens", - "irradiance": "Strålning", - "nitrogen_dioxide": "Kvävedioxid", - "nitrogen_monoxide": "Kväveoxid", - "nitrous_oxide": "Lustgas", - "ozone": "Ozon", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Effektfaktor", - "precipitation_intensity": "Nederbördsintensitet", - "reactive_power": "Reaktiv effekt", - "signal_strength": "Signalstyrka", - "sound_pressure": "Ljudtryck", - "speed": "Speed", - "sulphur_dioxide": "Svaveldioxid", - "vocs": "VOC", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Lagrad volym", - "weight": "Vikt", - "stopped": "Stoppad", - "garage": "Garage", - "max_length": "Max längd", - "min_length": "Min längd", - "pattern": "Mönster", + "above_horizon": "Över horisonten", + "below_horizon": "Under horisonten", + "oscillating": "Svängning", + "speed_step": "Hastighetssteg", + "available_preset_modes": "Tillgängliga förinställningslägen", "armed_away": "Larmat borta", "armed_custom_bypass": "Larmat anpassad förbikoppling", "armed_home": "Larmat hemma", @@ -1856,15 +1860,72 @@ "code_for_arming": "Kod för pålarmning", "not_required": "Krävs ej", "code_format": "Kodformat", + "gps_accuracy": "GPS-noggrannhet", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Händelsetyp", + "event_types": "Händelsetyper", + "doorbell": "Dörrklocka", + "max_running_scripts": "Maximalt antal skript som körs", + "jammed": "Fastnat", + "locking": "Låser", + "unlocking": "Låser upp", + "cool": "Kylning", + "fan_only": "Enbart fläkt", + "heat_cool": "Värme/kyla", + "aux_heat": "Extra värme", + "current_humidity": "Aktuell fuktighet", + "current_temperature": "Current Temperature", + "fan_mode": "Fläktläge", + "diffuse": "Diffus", + "middle": "Mellan", + "top": "Topp", + "current_action": "Aktuell åtgärd", + "cooling": "Kyler", + "drying": "Torkar", + "heating": "Värmer", + "preheating": "Förvärmning", + "max_target_humidity": "Max målluftfuktighet", + "max_target_temperature": "Högsta måltemperatur", + "min_target_humidity": "Min målluftfuktighet", + "min_target_temperature": "Minsta måltemperatur", + "boost": "Boost-läge", + "comfort": "Komfort", + "eco": "Eco", + "sleep": "viloläge", + "presets": "Förinställningar", + "swing_mode": "Svängläge", + "both": "Båda", + "horizontal": "Horisontellt", + "upper_target_temperature": "Övre måltemperatur", + "lower_target_temperature": "Lägre måltemperatur", + "target_temperature_step": "Steg för måltemperatur", "last_reset": "Senaste återställning", "possible_states": "Möjliga tillstånd", "state_class": "Tillståndsklass", "measurement": "Mått", "total": "Totalt", "total_increasing": "Totalt ökande", + "conductivity": "Ledningsförmåga", "data_size": "Datastorlek", "balance": "Balans", "timestamp": "Tidsstämpel", + "color_mode": "Color Mode", + "brightness_only": "Endast ljusstyrka", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Färgtemperatur (mireds)", + "color_temperature_kelvin": "Färgtemperatur (Kelvin)", + "available_effects": "Tillgängliga effekter", + "maximum_color_temperature_kelvin": "Högsta färgtemperatur (Kelvin)", + "maximum_color_temperature_mireds": "Högsta färgtemperatur (mireds)", + "minimum_color_temperature_kelvin": "Lägsta färgtemperatur (Kelvin)", + "minimum_color_temperature_mireds": "Lägsta färgtemperatur (mireds)", + "available_color_modes": "Tillgängliga färglägen", "clear_night": "Klart, natt", "cloudy": "Molnigt", "exceptional": "Exceptionellt", @@ -1879,7 +1940,7 @@ "snowy_rainy": "Snöigt, regnigt", "sunny": "Soligt", "windy": "Blåsigt", - "windy_cloudy": "Windy, cloudy", + "windy_cloudy": "Blåsigt, molnigt", "apparent_temperature": "Upplevd temperatur", "cloud_coverage": "Molntäckning", "dew_point_temperature": "Daggpunktstemperatur", @@ -1887,62 +1948,80 @@ "uv_index": "UV-index", "wind_bearing": "Vindbäring", "wind_gust_speed": "Hastighet i vindbyar", - "above_horizon": "Över horisonten", - "below_horizon": "Under horisonten", - "oscillating": "Svängning", - "speed_step": "Hastighetssteg", - "available_preset_modes": "Tillgängliga förinställningslägen", - "jammed": "Fastnat", - "locking": "Låser", - "unlocking": "Låser upp", - "identify": "Identifiera", - "not_charging": "Laddar inte", - "detected": "Detekterad", - "disconnected": "Frånkopplad", - "connected": "Ansluten", - "hot": "Varmt", - "no_light": "Inget ljus", - "light_detected": "Ljus detekterat", - "wet": "Blöt", - "not_moving": "Ingen rörelse", - "unplugged": "Urkopplad", - "not_running": "Kör inte", - "safe": "Säkert", - "unsafe": "Osäkert", - "tampering_detected": "Sabotage upptäckt", + "recording": "Inspelning", + "streaming": "Strömmar", + "access_token": "Åtkomsttoken", + "brand": "Märke", + "stream_type": "Strömtyp", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Modell", "minute": "Minut", "second": "Sekund", - "location_is_already_configured": "Platsen är redan konfigurerad", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Ogiltig API-nyckel", - "api_key": "API-nyckel", + "max_length": "Max längd", + "min_length": "Min längd", + "pattern": "Mönster", + "members": "Medlemmar", + "finishes_at": "Avslutas vid", + "remaining": "Återstående", + "identify": "Identifiera", + "auto_update": "Uppdatera automatiskt", + "in_progress": "Pågående", + "installed_version": "Installerad version", + "latest_version": "Senaste version", + "release_summary": "Version sammanfattning", + "release_url": "Version URL", + "skipped_version": "Överhoppad version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Redan konfigurerad. Endast en konfiguration möjlig.", "user_description": "Vill du starta konfigurationen?", + "device_is_already_configured": "Enheten är redan konfigurerad", + "re_authentication_was_successful": "Återautentisering lyckades", + "re_configuration_was_successful": "Omkonfigurationen lyckades", + "failed_to_connect": "Det gick inte att ansluta.", + "error_custom_port_not_supported": "Enhet av Gen1 stödjer inte anpassad port", + "invalid_authentication": "Ogiltig autentisering", + "unexpected_error": "Oväntat fel", + "username": "Användarnamn", + "host": "Host", "account_is_already_configured": "Konto har redan konfigurerats", "abort_already_in_progress": "Konfigurationsflödet pågår redan", - "failed_to_connect": "Det gick inte att ansluta.", "invalid_access_token": "Ogiltig åtkomstnyckel", "received_invalid_token_data": "Mottog ogiltiga tokendata.", "abort_oauth_failed": "Fel vid hämtning av åtkomsttoken.", "timeout_resolving_oauth_token": "Timeout vid hämtning av OAuth-token.", "abort_oauth_unauthorized": "OAuth-auktoriseringsfel vid hämtning av åtkomsttoken.", - "re_authentication_was_successful": "Återautentisering lyckades", - "timeout_establishing_connection": "Timeout vid upprättande av anslutning", - "unexpected_error": "Oväntat fel", "successfully_authenticated": "Autentisering lyckades", - "link_google_account": "Länka Google-konto", + "link_fitbit": "Länka Fitbit", "pick_authentication_method": "Välj autentiseringsmetod", "authentication_expired_for_name": "Autentiseringen har upphört att gälla för {name}", "service_is_already_configured": "Tjänsten är redan konfigurerad", - "confirm_description": "Vill du konfigurera {name}?", - "device_is_already_configured": "Enheten är redan konfigurerad", - "abort_no_devices_found": "Inga enheter hittades i nätverket", - "connection_error_error": "Kan inte ansluta: {error}", - "invalid_authentication_error": "Ogiltig autentisering: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Användarnamn", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Redan konfigurerad. Endast en konfiguration möjlig.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Vill du konfigurera {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Välj en Bluetooth-adapter som ska konfigureras", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API-nyckel", + "configure_daikin_ac": "Konfigurera Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1958,38 +2037,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Ogiltigt värdnamn eller IP-adress", - "device_not_supported": "Enheten stöds inte", - "name_model_at_host": "{name} ({model} på {host})", - "authenticate_to_the_device": "Autentisera till enheten", - "finish_title": "Välj ett namn för enheten", - "unlock_the_device": "Lås upp enheten", - "yes_do_it": "Ja, gör det.", - "unlock_the_device_optional": "Lås upp enheten (valfritt)", - "connect_to_the_device": "Anslut till enheten", - "no_port_for_endpoint": "Ingen port för slutpunkt", - "abort_no_services": "Inga tjänster hittades vid endpoint", - "discovered_wyoming_service": "Upptäckte Wyoming-tjänsten", - "invalid_authentication": "Ogiltig autentisering", - "two_factor_code": "Tvåfaktorkod", - "two_factor_authentication": "Tvåfaktorautentisering", - "sign_in_with_ring_account": "Logga in med Ring-konto", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Länka Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Det går inte att ansluta. Mer information: {error_detail}", + "unknown_details_error_detail": "Okänd. Detaljer: {error_detail}", + "uses_an_ssl_certificate": "Använder ett SSL certifikat", + "verify_ssl_certificate": "Verifiera SSL-certifikat", + "timeout_establishing_connection": "Timeout vid upprättande av anslutning", + "link_google_account": "Länka Google-konto", + "abort_no_devices_found": "Inga enheter hittades i nätverket", + "connection_error_error": "Kan inte ansluta: {error}", + "invalid_authentication_error": "Ogiltig autentisering: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Enhetsklass", + "state_template": "Mall för tillstånd", + "template_binary_sensor": "Mall för binär sensor", + "template_sensor": "Mallsensor", + "template_a_binary_sensor": "Mall för en binär sensor", + "template_a_sensor": "Mall för en sensor", + "template_helper": "Hjälp för mallar", + "location_is_already_configured": "Platsen är redan konfigurerad", + "failed_to_connect_error": "Kunde inte ansluta: {error}", + "invalid_api_key": "Ogiltig API-nyckel", + "pin_code": "PIN-kod", + "discovered_android_tv": "Upptäckte Android TV", + "known_hosts": "Kända värdar", + "google_cast_configuration": "Google Cast-konfiguration", + "abort_invalid_host": "Ogiltigt värdnamn eller IP-adress", + "device_not_supported": "Enheten stöds inte", + "name_model_at_host": "{name} ({model} på {host})", + "authenticate_to_the_device": "Autentisera till enheten", + "finish_title": "Välj ett namn för enheten", + "unlock_the_device": "Lås upp enheten", + "yes_do_it": "Ja, gör det.", + "unlock_the_device_optional": "Lås upp enheten (valfritt)", + "connect_to_the_device": "Anslut till enheten", "invalid_birth_topic": "Ogiltigt födelseämne", "error_bad_certificate": "CA-certifikatet är ogiltigt", "invalid_discovery_prefix": "Ogiltigt upptäcktsprefix", @@ -2013,19 +2094,46 @@ "path_is_not_allowed": "Sökvägen är inte tillåten", "path_is_not_valid": "Sökvägen är inte giltig", "path_to_file": "Sökväg till filen", - "known_hosts": "Kända värdar", - "google_cast_configuration": "Google Cast-konfiguration", + "api_error_occurred": "API-fel uppstod", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Aktivera HTTPS", "abort_mdns_missing_mac": "MAC-adress saknas i MDNS-egenskaper.", - "abort_mqtt_missing_api": "Missing API port in MQTT properties.", - "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", - "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.", + "abort_mqtt_missing_api": "API-port saknas i MQTT-egenskaper.", + "abort_mqtt_missing_ip": "IP-adress saknas i MQTT-egenskaperna.", + "abort_mqtt_missing_mac": "MAC-adress saknas i MQTT-egenskaperna.", "service_received": "Tjänsten mottagen", "discovered_esphome_node": "Upptäckt ESPHome-nod", "encryption_key": "Krypteringnyckel", + "no_port_for_endpoint": "Ingen port för slutpunkt", + "abort_no_services": "Inga tjänster hittades vid endpoint", + "discovered_wyoming_service": "Upptäckte Wyoming-tjänsten", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Switchbot-typ som inte stöds.", + "authentication_failed_error_detail": "Autentisering misslyckades: {error_detail}", + "error_encryption_key_invalid": "Nyckel-id eller krypteringsnyckel är ogiltig", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Switchbot-konto (rekommenderas)", + "menu_options_lock_key": "Ange krypteringsnyckel manuellt", + "key_id": "Nyckel-id", + "password_description": "Lösenord för att skydda säkerhetskopian.", + "device_address": "Enhetsadress", + "component_switchbot_config_error_one": "Tom", + "component_switchbot_config_error_other": "Tomma", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Tvåfaktorkod", + "two_factor_authentication": "Tvåfaktorautentisering", + "sign_in_with_ring_account": "Logga in med Ring-konto", + "bridge_is_already_configured": "Bryggan är redan konfigurerad", + "no_deconz_bridges_discovered": "Inga deCONZ-bryggor upptäcktes", + "abort_no_hardware_available": "Ingen radiohårdvara ansluten till deCONZ", + "abort_updated_instance": "Uppdaterad deCONZ-instans med ny värdadress", + "error_linking_not_possible": "Det gick inte att länka till gatewayen", + "error_no_key": "Det gick inte att ta emot en API-nyckel", + "link_with_deconz": "Länka med deCONZ", + "select_discovered_deconz_gateway": "Välj upptäckt deCONZ-gateway", "all_entities": "Alla entiteter", "hide_members": "Dölj medlemmar", "add_group": "Lägg till grupp", - "device_class": "Enhetsklass", "ignore_non_numeric": "Ignorera icke-numeriska", "data_round_digits": "Avrunda värdet till antalet decimaler", "type": "Typ", @@ -2038,84 +2146,50 @@ "media_player_group": "Grupp av mediespelare", "sensor_group": "Sensorgrupp", "switch_group": "Brytargrupp", - "name_already_exists": "Namnet finns redan", - "passive": "Passiv", - "define_zone_parameters": "Definiera zonparametrar", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Enhet av Gen1 stödjer inte anpassad port", "abort_alternative_integration": "Enheten stöds bättre av en annan integration", "abort_discovery_error": "Det gick inte att upptäcka en matchande DLNA-enhet", "abort_incomplete_config": "Konfigurationen saknar en nödvändig variabel", "manual_description": "URL till en XML-fil för enhetsbeskrivning", "manual_title": "Manuell DLNA DMR-enhetsanslutning", "discovered_dlna_dmr_devices": "Upptäckte DLNA DMR-enheter", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Namnet finns redan", + "passive": "Passiv", + "define_zone_parameters": "Definiera zonparametrar", "calendar_name": "Kalendernamn", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Välj en Bluetooth-adapter som ska konfigureras", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Okänd. Detaljer: {error_detail}", - "uses_an_ssl_certificate": "Använder ett SSL certifikat", - "verify_ssl_certificate": "Verifiera SSL-certifikat", - "configure_daikin_ac": "Konfigurera Daikin AC", - "pin_code": "PIN-kod", - "discovered_android_tv": "Upptäckte Android TV", - "state_template": "Mall för tillstånd", - "template_binary_sensor": "Mall för binär sensor", - "template_sensor": "Mallsensor", - "template_a_binary_sensor": "Mall för en binär sensor", - "template_a_sensor": "Mall för en sensor", - "template_helper": "Hjälp för mallar", - "bridge_is_already_configured": "Bryggan är redan konfigurerad", - "no_deconz_bridges_discovered": "Inga deCONZ-bryggor upptäcktes", - "abort_no_hardware_available": "Ingen radiohårdvara ansluten till deCONZ", - "abort_updated_instance": "Uppdaterad deCONZ-instans med ny värdadress", - "error_linking_not_possible": "Det gick inte att länka till gatewayen", - "error_no_key": "Det gick inte att ta emot en API-nyckel", - "link_with_deconz": "Länka med deCONZ", - "select_discovered_deconz_gateway": "Välj upptäckt deCONZ-gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Switchbot-typ som inte stöds.", - "authentication_failed_error_detail": "Autentisering misslyckades: {error_detail}", - "error_encryption_key_invalid": "Nyckel-id eller krypteringsnyckel är ogiltig", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Switchbot-konto (rekommenderas)", - "menu_options_lock_key": "Ange krypteringsnyckel manuellt", - "key_id": "Nyckel-id", - "password_description": "Lösenord för att skydda säkerhetskopian.", - "device_address": "Enhetsadress", - "component_switchbot_config_error_one": "Tom", - "component_switchbot_config_error_other": "Tomma", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API-fel uppstod", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Aktivera HTTPS", - "enable_the_conversation_agent": "Aktivera konversationsagenten", - "language_code": "Kod för språk", - "select_test_server": "Välj testserver", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minsta RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Skannerläge för Bluetooth", + "passive_scanning": "Passiv skanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2198,6 +2272,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Aktivera konversationsagenten", + "language_code": "Kod för språk", + "data_process": "Processer att lägga till som sensor(er)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Applikationens namn", + "configure_application_id_app_id": "Konfigurera app-id {app_id}", + "configure_android_apps": "Konfigurera Android-appar", + "configure_applications_list": "Konfigurera applikationslista", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minsta RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant-åtkomst till Google Kalender", + "ignore_cec": "Ignorera CEC", + "allowed_uuids": "Tillåtna UUID", + "advanced_google_cast_configuration": "Avancerad Google Cast-konfiguration", "broker_options": "Mäklaralternativ", "enable_birth_message": "Aktivera födelsemeddelande", "birth_message_payload": "Nyttolast för födelsemeddelande", @@ -2211,106 +2302,37 @@ "will_message_retain": "Testamentets tid för sparande", "will_message_topic": "Testamentets ämne", "mqtt_options": "MQTT-alternativ", - "ignore_cec": "Ignorera CEC", - "allowed_uuids": "Tillåtna UUID", - "advanced_google_cast_configuration": "Avancerad Google Cast-konfiguration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Skannerläge för Bluetooth", + "protocol": "Protokoll", + "select_test_server": "Välj testserver", + "retry_count": "Antal omprövningar", + "allow_deconz_clip_sensors": "Tillåt deCONZ CLIP-sensorer", + "allow_deconz_light_groups": "Tillåt deCONZ ljusgrupper", + "data_allow_new_devices": "Tillåt automatiskt tillägg av nya enheter", + "deconz_devices_description": "Konfigurera synlighet för deCONZ-enhetstyper", + "deconz_options": "deCONZ-inställningar", "invalid_url": "Ogiltig URL", "data_browse_unfiltered": "Visa inkompatibla media när du surfar", "event_listener_callback_url": "URL för återuppringning av händelseavlyssnare", "data_listen_port": "Händelseavlyssnarport (slumpmässig om inte inställt)", "poll_for_device_availability": "Fråga efter om en enhet är tillgänglig", "init_title": "Konfiguration av DLNA Digital Media Renderer", - "passive_scanning": "Passiv skanning", - "allow_deconz_clip_sensors": "Tillåt deCONZ CLIP-sensorer", - "allow_deconz_light_groups": "Tillåt deCONZ ljusgrupper", - "data_allow_new_devices": "Tillåt automatiskt tillägg av nya enheter", - "deconz_devices_description": "Konfigurera synlighet för deCONZ-enhetstyper", - "deconz_options": "deCONZ-inställningar", - "retry_count": "Antal omprövningar", - "data_calendar_access": "Home Assistant-åtkomst till Google Kalender", - "protocol": "Protokoll", - "data_process": "Processer att lägga till som sensor(er)", - "toggle_entity_name": "Växla {entity_name}", - "turn_off_entity_name": "Stäng av {entity_name}", - "turn_on_entity_name": "Slå på {entity_name}", - "entity_name_is_off": "{entity_name} är avstängd", - "entity_name_is_on": "{entity_name} är på", - "trigger_type_changed_states": "{entity_name} slogs på eller av", - "entity_name_turned_off": "{entity_name} stängdes av", - "entity_name_turned_on": "{entity_name} slogs på", - "entity_name_is_home": "{entity_name} är hemma", - "entity_name_is_not_home": "{entity_name} är inte hemma", - "entity_name_enters_a_zone": "{entity_name} går in i en zon", - "entity_name_leaves_a_zone": "{entity_name} lämnar en zon", - "action_type_set_hvac_mode": "Ändra HVAC-läge på {entity_name}", - "change_preset_on_entity_name": "Ändra förinställning på {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} uppmätt fuktighet har ändrats", - "entity_name_measured_temperature_changed": "{entity_name} uppmätt temperatur har ändrats", - "entity_name_hvac_mode_changed": "{entity_name} HVAC-läge har ändrats", - "entity_name_is_buffering": "{entity_name} buffrar", - "entity_name_is_idle": "{entity_name} är inaktiv", - "entity_name_is_paused": "{entity_name} är pausad", - "entity_name_is_playing": "{entity_name} spelar", - "entity_name_starts_buffering": "{entity_name} börjar buffra", - "entity_name_becomes_idle": "{entity_name} blir inaktiv", - "entity_name_starts_playing": "{entity_name} börjar spela", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Första knappen", "second_button": "Andra knappen", "third_button": "Tredje knappen", "fourth_button": "Fjärde knappen", - "fifth_button": "Femte knappen", - "sixth_button": "Sjätte knappen", - "subtype_double_clicked": "\"{subtype}\"-knappen dubbelklickades", - "subtype_continuously_pressed": "\"{subtype}\"-knappen kontinuerligt nedtryckt", - "trigger_type_button_long_release": "\"{subtype}\" släpptes efter lång tryckning", - "subtype_quadruple_clicked": "\"{subtype}\"-knappen klickades \nfyrfaldigt", - "subtype_quintuple_clicked": "\"{subtype}\"-knappen klickades \nfemfaldigt", - "subtype_pressed": "\"{subtype}\"-knappen trycktes in", - "subtype_released": "\"{subtype}\"-knappen släppt", - "subtype_triple_clicked": "\"{subtype}\"-knappen trippelklickad", - "decrease_entity_name_brightness": "Minska ljusstyrkan för {entity_name}", - "increase_entity_name_brightness": "Öka ljusstyrkan för {entity_name}", - "flash_entity_name": "Blinka {entity_name}", - "action_type_select_first": "Ändra {entity_name} till första alternativet", - "action_type_select_last": "Ändra {entity_name} till sista alternativet", - "action_type_select_next": "Ändra {entity_name} till nästa alternativ", - "change_entity_name_option": "Ändra alternativ för {entity_name}", - "action_type_select_previous": "Ändra {entity_name} till föregående alternativ", - "current_entity_name_selected_option": "Nuvarande alternativ för {entity_name}", - "entity_name_option_changed": "Alternativ för {entity_name} har ändrats", - "entity_name_update_availability_changed": "{entity_name} uppdateringstillgänglighet ändrad", - "entity_name_became_up_to_date": "{entity_name} blev uppdaterad", - "trigger_type_update": "{entity_name} har en uppdatering tillgänglig", "subtype_button_down": "{subtype} knappen nedtryckt", "subtype_button_up": "{subtype} knappen släppt", + "subtype_double_clicked": "\"{subtype}\"-knappen dubbelklickades", "subtype_double_push": "{subtype} dubbeltryck", "subtype_long_clicked": "{subtype} långklickad", "subtype_long_push": "{subtype} långtryck", @@ -2318,8 +2340,10 @@ "subtype_single_clicked": "{subtype} enkelklickad", "trigger_type_single_long": "{subtype} enkelklickad och sedan långklickad", "subtype_single_push": "{subtype} enkeltryck", + "subtype_triple_clicked": "\"{subtype}\"-knappen trippelklickad", "subtype_triple_push": "{subtype} trippeltryck", "set_value_for_entity_name": "Ange värde för {entity_name}", + "value": "Värde", "close_entity_name": "Stäng {entity_name}", "close_entity_name_tilt": "Stäng {entity_name} lutning", "open_entity_name": "Öppna {entity_name}", @@ -2329,16 +2353,121 @@ "stop_entity_name": "Stoppa {entity_name}", "entity_name_is_closed": "{entity_name} är stängd", "entity_name_is_closing": "{entity_name} stängs", - "entity_name_is_open": "{entity_name} is open", + "entity_name_is_open": "{entity_name} är öppen", "entity_name_opening": "{entity_name} öppnas", "current_entity_name_position_is": "Nuvarande position för {entity_name} är", "condition_type_is_tilt_position": "Nuvarande {entity_name} lutningsposition är", "entity_name_closed": "{entity_name} stängd", "entity_name_closing": "{entity_name} stänger", - "entity_name_opened": "{entity_name} opened", + "entity_name_opened": "{entity_name} har öppnats", "entity_name_position_changes": "{entity_name} position ändras", "entity_name_tilt_position_changes": "{entity_name} lutningsposition ändras", - "send_a_notification": "Skicka ett meddelande", + "entity_name_battery_is_low": "{entity_name}-batteriet är lågt", + "entity_name_charging": "{entity_name} laddas", + "condition_type_is_co": "{entity_name} upptäcker kolmonoxid", + "entity_name_is_cold": "{entity_name} är kall", + "entity_name_is_connected": "{entity_name} är ansluten", + "entity_name_is_detecting_gas": "{entity_name} detekterar gas", + "entity_name_is_hot": "{entity_name} är varm", + "entity_name_is_detecting_light": "{entity_name} upptäcker ljus", + "entity_name_is_locked": "{entity_name} är låst", + "entity_name_is_moist": "{entity_name} är fuktig", + "entity_name_is_detecting_motion": "{entity_name} detekterar rörelse", + "entity_name_is_moving": "{entity_name} rör sig", + "condition_type_is_no_co": "{entity_name} upptäcker inte kolmonoxid", + "condition_type_is_no_gas": "{entity_name} upptäcker inte gas", + "condition_type_is_no_light": "{entity_name} upptäcker inte ljus", + "condition_type_is_no_motion": "{entity_name} detekterar inte rörelse", + "condition_type_is_no_problem": "{entity_name} upptäcker inte problem", + "condition_type_is_no_smoke": "{entity_name} detekterar inte rök", + "condition_type_is_no_sound": "{entity_name} upptäcker inte ljud", + "entity_name_is_up_to_date": "{entity_name} är uppdaterad", + "condition_type_is_no_vibration": "{entity_name} upptäcker inte vibrationer", + "entity_name_battery_is_normal": "{entity_name} batteri är normalt", + "entity_name_not_charging": "{entity_name} laddas inte", + "entity_name_is_not_cold": "{entity_name} är inte kall", + "entity_name_is_disconnected": "{entity_name} är frånkopplad", + "entity_name_is_not_hot": "{entity_name} är inte varm", + "entity_name_is_unlocked": "{entity_name} är olåst", + "entity_name_is_dry": "{entity_name} är torr", + "entity_name_is_not_moving": "{entity_name} rör sig inte", + "entity_name_is_not_occupied": "{entity_name} är inte upptagen", + "entity_name_is_unplugged": "{entity_name} är urkopplad", + "entity_name_is_not_powered": "{entity_name} är inte strömförd", + "entity_name_is_not_present": "{entity_name} finns inte", + "entity_name_is_not_running": "{entity_name} körs inte", + "condition_type_is_not_tampered": "{entity_name} upptäcker inte sabotage", + "entity_name_is_safe": "{entity_name} är säker", + "entity_name_is_occupied": "{entity_name} är upptagen", + "entity_name_is_off": "{entity_name} är avstängd", + "entity_name_is_on": "{entity_name} är på", + "entity_name_is_powered": "{entity_name} är påslagen", + "entity_name_is_present": "{entity_name} är närvarande", + "entity_name_is_detecting_problem": "{entity_name} upptäcker problem", + "entity_name_is_running": "{entity_name} körs", + "entity_name_is_detecting_smoke": "{entity_name} detekterar rök", + "entity_name_is_detecting_sound": "{entity_name} upptäcker ljud", + "entity_name_is_detecting_tampering": "{entity_name} upptäcker sabotage", + "entity_name_is_unsafe": "{entity_name} är osäker", + "trigger_type_update": "{entity_name} har en uppdatering tillgänglig", + "entity_name_is_detecting_vibration": "{entity_name} upptäcker vibrationer", + "entity_name_battery_low": "{entity_name} batteri lågt", + "trigger_type_co": "{entity_name} började detektera kolmonoxid", + "entity_name_became_cold": "{entity_name} blev kall", + "entity_name_connected": "{entity_name} ansluten", + "entity_name_started_detecting_gas": "{entity_name} började detektera gas", + "entity_name_became_hot": "{entity_name} blev varm", + "entity_name_started_detecting_light": "{entity_name} började upptäcka ljus", + "entity_name_locked": "{entity_name} låst", + "entity_name_became_moist": "{entity_name} blev fuktig", + "entity_name_started_detecting_motion": "{entity_name} började detektera rörelse", + "entity_name_started_moving": "{entity_name} började röra sig", + "trigger_type_no_co": "{entity_name} slutade detektera kolmonoxid", + "entity_name_stopped_detecting_gas": "{entity_name} slutade upptäcka gas", + "entity_name_stopped_detecting_light": "{entity_name} slutade upptäcka ljus", + "entity_name_stopped_detecting_motion": "{entity_name} slutade upptäcka rörelse", + "entity_name_stopped_detecting_problem": "{entity_name} slutade upptäcka problem", + "entity_name_stopped_detecting_smoke": "{entity_name} slutade detektera rök", + "entity_name_stopped_detecting_sound": "{entity_name} slutade upptäcka ljud", + "entity_name_became_up_to_date": "{entity_name} blev uppdaterad", + "entity_name_stopped_detecting_vibration": "{entity_name} slutade upptäcka vibrationer", + "entity_name_battery_normal": "{entity_name} batteri normalt", + "entity_name_became_not_cold": "{entity_name} blev inte kall", + "entity_name_disconnected": "{entity_name} frånkopplad", + "entity_name_became_not_hot": "{entity_name} blev inte varm", + "entity_name_unlocked": "{entity_name} olåst", + "entity_name_became_dry": "{entity_name} blev torr", + "entity_name_stopped_moving": "{entity_name} slutade röra sig", + "entity_name_became_not_occupied": "{entity_name} blev inte upptagen", + "entity_name_unplugged": "{entity_name} urkopplad", + "entity_name_not_powered": "{entity_name} inte påslagen", + "entity_name_not_present": "{entity_name} inte närvarande", + "trigger_type_not_running": "{entity_name} körs inte längre", + "entity_name_stopped_detecting_tampering": "{entity_name} slutade upptäcka sabotage", + "entity_name_became_safe": "{entity_name} blev säker", + "entity_name_became_occupied": "{entity_name} blev upptagen", + "entity_name_powered": "{entity_name} påslagen", + "entity_name_present": "{entity_name} närvarande", + "entity_name_started_detecting_problem": "{entity_name} började upptäcka problem", + "entity_name_started_running": "{entity_name} började köras", + "entity_name_started_detecting_smoke": "{entity_name} började detektera rök", + "entity_name_started_detecting_sound": "{entity_name} började upptäcka ljud", + "entity_name_started_detecting_tampering": "{entity_name} började upptäcka sabotage", + "entity_name_turned_off": "{entity_name} stängdes av", + "entity_name_turned_on": "{entity_name} slogs på", + "entity_name_became_unsafe": "{entity_name} blev osäker", + "entity_name_started_detecting_vibration": "{entity_name} började detektera vibrationer", + "entity_name_is_buffering": "{entity_name} buffrar", + "entity_name_is_idle": "{entity_name} är inaktiv", + "entity_name_is_paused": "{entity_name} är pausad", + "entity_name_is_playing": "{entity_name} spelar", + "entity_name_starts_buffering": "{entity_name} börjar buffra", + "trigger_type_changed_states": "{entity_name} slogs på eller av", + "entity_name_becomes_idle": "{entity_name} blir inaktiv", + "entity_name_starts_playing": "{entity_name} börjar spela", + "toggle_entity_name": "Växla {entity_name}", + "turn_off_entity_name": "Stäng av {entity_name}", + "turn_on_entity_name": "Slå på {entity_name}", "arm_entity_name_away": "Larma {entity_name} borta", "arm_entity_name_home": "Larma {entity_name} hemma", "arm_entity_name_night": "Larma {entity_name} natt", @@ -2357,12 +2486,26 @@ "entity_name_armed_vacation": "{entity_name} larmad i semesterläge", "entity_name_disarmed": "{entity_name} bortkopplad", "entity_name_triggered": "{entity_name} utlöst", + "entity_name_is_home": "{entity_name} är hemma", + "entity_name_is_not_home": "{entity_name} är inte hemma", + "entity_name_enters_a_zone": "{entity_name} går in i en zon", + "entity_name_leaves_a_zone": "{entity_name} lämnar en zon", + "lock_entity_name": "Lås {entity_name}", + "unlock_entity_name": "Lås upp {entity_name}", + "action_type_set_hvac_mode": "Ändra HVAC-läge på {entity_name}", + "change_preset_on_entity_name": "Ändra förinställning på {entity_name}", + "hvac_mode": "HVAC-läge", + "to": "Till", + "entity_name_measured_humidity_changed": "{entity_name} uppmätt fuktighet har ändrats", + "entity_name_measured_temperature_changed": "{entity_name} uppmätt temperatur har ändrats", + "entity_name_hvac_mode_changed": "{entity_name} HVAC-läge har ändrats", "current_entity_name_apparent_power": "Nuvarande {entity_name} skenbar effekt", "condition_type_is_aqi": "Nuvarande {entity_name} Luftkvalitetsindex", "current_entity_name_atmospheric_pressure": "Aktuellt {entity_name} atmosfärstryck", "current_entity_name_battery_level": "Nuvarande {entity_name} batterinivå", "condition_type_is_carbon_dioxide": "Nuvarande {entity_name} koncentration av koldioxid", "condition_type_is_carbon_monoxide": "Nuvarande {entity_name} koncentration av kolmonoxid", + "current_entity_name_conductivity": "Aktuell ledningsförmåga {entity_name}", "current_entity_name_current": "Aktuell {entity_name} aktuell", "current_entity_name_data_rate": "Aktuell {entity_name} datahastighet", "current_entity_name_data_size": "Aktuell {entity_name} datastorlek", @@ -2407,6 +2550,7 @@ "entity_name_battery_level_changes": "{entity_name} batterinivå ändras", "trigger_type_carbon_dioxide": "{entity_name} förändringar av koldioxidkoncentrationen", "trigger_type_carbon_monoxide": "{entity_name} förändringar av kolmonoxidkoncentrationen", + "entity_name_conductivity_changes": "{entity_name} förändringar i ledningsförmågan", "entity_name_current_changes": "{entity_name} aktuella ändringar", "entity_name_data_rate_changes": "{entity_name} ändringar i datahastigheten", "entity_name_data_size_changes": "{entity_name} datastorlek ändras", @@ -2445,132 +2589,69 @@ "entity_name_water_changes": "{entity_name} vattenförändringar", "entity_name_weight_changes": "{entity_name} viktförändringar", "entity_name_wind_speed_changes": "{entity_name} vindhastighets förändringar", + "decrease_entity_name_brightness": "Minska ljusstyrkan för {entity_name}", + "increase_entity_name_brightness": "Öka ljusstyrkan för {entity_name}", + "flash_entity_name": "Blinka {entity_name}", + "flash": "Blinka", + "fifth_button": "Femte knappen", + "sixth_button": "Sjätte knappen", + "subtype_continuously_pressed": "\"{subtype}\"-knappen kontinuerligt nedtryckt", + "trigger_type_button_long_release": "\"{subtype}\" släpptes efter lång tryckning", + "subtype_quadruple_clicked": "\"{subtype}\"-knappen klickades \nfyrfaldigt", + "subtype_quintuple_clicked": "\"{subtype}\"-knappen klickades \nfemfaldigt", + "subtype_pressed": "\"{subtype}\"-knappen trycktes in", + "subtype_released": "\"{subtype}\"-knappen släppt", + "action_type_select_first": "Ändra {entity_name} till första alternativet", + "action_type_select_last": "Ändra {entity_name} till sista alternativet", + "action_type_select_next": "Ändra {entity_name} till nästa alternativ", + "change_entity_name_option": "Ändra alternativ för {entity_name}", + "action_type_select_previous": "Ändra {entity_name} till föregående alternativ", + "current_entity_name_selected_option": "Nuvarande alternativ för {entity_name}", + "cycle": "Cykla", + "from": "Från", + "entity_name_option_changed": "Alternativ för {entity_name} har ändrats", + "send_a_notification": "Skicka ett meddelande", + "both_buttons": "Båda knapparna", + "bottom_buttons": "Bottenknappar", + "seventh_button": "Sjunde knappen", + "eighth_button": "Åttonde knappen", + "dim_down": "Dimma ned", + "dim_up": "Dimma upp", + "left": "Vänster", + "right": "Höger", + "side": "Sida 6", + "top_buttons": "Toppknappar", + "device_awakened": "Enheten väcktes", + "trigger_type_remote_button_long_release": "\"{subtype}\"-knappen släpptes efter ett långtryck", + "button_rotated_subtype": "Knappen roterade \"{subtype}\"", + "button_rotated_fast_subtype": "Knappen roterades snabbt \" {subtype} \"", + "button_rotation_subtype_stopped": "Knapprotationen \"{subtype}\" stoppades", + "device_subtype_double_tapped": "Enheten \"{subtype}\" dubbeltryckt", + "trigger_type_remote_double_tap_any_side": "Enheten dubbeltryckt på valfri sida", + "device_in_free_fall": "Enhet i fritt fall", + "device_flipped_degrees": "Enheten vänd 90 grader", + "device_shaken": "Enhet skakad", + "trigger_type_remote_moved": "Enheten flyttades med \"{subtype}\" upp", + "trigger_type_remote_moved_any_side": "Enheten flyttades med valfri sida uppåt", + "trigger_type_remote_rotate_from_side": "Enheten roterades från \"sida 6\" till \"{subtype}\"", + "device_turned_clockwise": "Enheten vriden medurs", + "device_turned_counter_clockwise": "Enheten vände moturs", "press_entity_name_button": "Tryck på knappen {entity_name}", "entity_name_has_been_pressed": "{entity_name} har tryckts", - "entity_name_battery_is_low": "{entity_name}-batteriet är lågt", - "entity_name_charging": "{entity_name} laddas", - "condition_type_is_co": "{entity_name} upptäcker kolmonoxid", - "entity_name_is_cold": "{entity_name} är kall", - "entity_name_is_connected": "{entity_name} är ansluten", - "entity_name_is_detecting_gas": "{entity_name} detekterar gas", - "entity_name_is_hot": "{entity_name} är varm", - "entity_name_is_detecting_light": "{entity_name} upptäcker ljus", - "entity_name_is_locked": "{entity_name} är låst", - "entity_name_is_moist": "{entity_name} är fuktig", - "entity_name_is_detecting_motion": "{entity_name} detekterar rörelse", - "entity_name_is_moving": "{entity_name} rör sig", - "condition_type_is_no_co": "{entity_name} upptäcker inte kolmonoxid", - "condition_type_is_no_gas": "{entity_name} upptäcker inte gas", - "condition_type_is_no_light": "{entity_name} upptäcker inte ljus", - "condition_type_is_no_motion": "{entity_name} detekterar inte rörelse", - "condition_type_is_no_problem": "{entity_name} upptäcker inte problem", - "condition_type_is_no_smoke": "{entity_name} detekterar inte rök", - "condition_type_is_no_sound": "{entity_name} upptäcker inte ljud", - "entity_name_is_up_to_date": "{entity_name} är uppdaterad", - "condition_type_is_no_vibration": "{entity_name} upptäcker inte vibrationer", - "entity_name_battery_is_normal": "{entity_name} batteri är normalt", - "entity_name_not_charging": "{entity_name} laddas inte", - "entity_name_is_not_cold": "{entity_name} är inte kall", - "entity_name_is_disconnected": "{entity_name} är frånkopplad", - "entity_name_is_not_hot": "{entity_name} är inte varm", - "entity_name_is_unlocked": "{entity_name} är olåst", - "entity_name_is_dry": "{entity_name} är torr", - "entity_name_is_not_moving": "{entity_name} rör sig inte", - "entity_name_is_not_occupied": "{entity_name} är inte upptagen", - "entity_name_is_unplugged": "{entity_name} är urkopplad", - "entity_name_is_not_powered": "{entity_name} är inte strömförd", - "entity_name_is_not_present": "{entity_name} finns inte", - "entity_name_is_not_running": "{entity_name} körs inte", - "condition_type_is_not_tampered": "{entity_name} upptäcker inte sabotage", - "entity_name_is_safe": "{entity_name} är säker", - "entity_name_is_occupied": "{entity_name} är upptagen", - "entity_name_is_powered": "{entity_name} är påslagen", - "entity_name_is_present": "{entity_name} är närvarande", - "entity_name_is_detecting_problem": "{entity_name} upptäcker problem", - "entity_name_is_running": "{entity_name} körs", - "entity_name_is_detecting_smoke": "{entity_name} detekterar rök", - "entity_name_is_detecting_sound": "{entity_name} upptäcker ljud", - "entity_name_is_detecting_tampering": "{entity_name} upptäcker sabotage", - "entity_name_is_unsafe": "{entity_name} är osäker", - "entity_name_is_detecting_vibration": "{entity_name} upptäcker vibrationer", - "entity_name_battery_low": "{entity_name} batteri lågt", - "trigger_type_co": "{entity_name} började detektera kolmonoxid", - "entity_name_became_cold": "{entity_name} blev kall", - "entity_name_connected": "{entity_name} ansluten", - "entity_name_started_detecting_gas": "{entity_name} började detektera gas", - "entity_name_became_hot": "{entity_name} blev varm", - "entity_name_started_detecting_light": "{entity_name} började upptäcka ljus", - "entity_name_locked": "{entity_name} låst", - "entity_name_became_moist": "{entity_name} blev fuktig", - "entity_name_started_detecting_motion": "{entity_name} började detektera rörelse", - "entity_name_started_moving": "{entity_name} började röra sig", - "trigger_type_no_co": "{entity_name} slutade detektera kolmonoxid", - "entity_name_stopped_detecting_gas": "{entity_name} slutade upptäcka gas", - "entity_name_stopped_detecting_light": "{entity_name} slutade upptäcka ljus", - "entity_name_stopped_detecting_motion": "{entity_name} slutade upptäcka rörelse", - "entity_name_stopped_detecting_problem": "{entity_name} slutade upptäcka problem", - "entity_name_stopped_detecting_smoke": "{entity_name} slutade detektera rök", - "entity_name_stopped_detecting_sound": "{entity_name} slutade upptäcka ljud", - "entity_name_stopped_detecting_vibration": "{entity_name} slutade upptäcka vibrationer", - "entity_name_battery_normal": "{entity_name} batteri normalt", - "entity_name_became_not_cold": "{entity_name} blev inte kall", - "entity_name_disconnected": "{entity_name} frånkopplad", - "entity_name_became_not_hot": "{entity_name} blev inte varm", - "entity_name_unlocked": "{entity_name} olåst", - "entity_name_became_dry": "{entity_name} blev torr", - "entity_name_stopped_moving": "{entity_name} slutade röra sig", - "entity_name_became_not_occupied": "{entity_name} blev inte upptagen", - "entity_name_unplugged": "{entity_name} urkopplad", - "entity_name_not_powered": "{entity_name} inte påslagen", - "entity_name_not_present": "{entity_name} inte närvarande", - "trigger_type_not_running": "{entity_name} körs inte längre", - "entity_name_stopped_detecting_tampering": "{entity_name} slutade upptäcka sabotage", - "entity_name_became_safe": "{entity_name} blev säker", - "entity_name_became_occupied": "{entity_name} blev upptagen", - "entity_name_powered": "{entity_name} påslagen", - "entity_name_present": "{entity_name} närvarande", - "entity_name_started_detecting_problem": "{entity_name} började upptäcka problem", - "entity_name_started_running": "{entity_name} började köras", - "entity_name_started_detecting_smoke": "{entity_name} började detektera rök", - "entity_name_started_detecting_sound": "{entity_name} började upptäcka ljud", - "entity_name_started_detecting_tampering": "{entity_name} började upptäcka sabotage", - "entity_name_became_unsafe": "{entity_name} blev osäker", - "entity_name_started_detecting_vibration": "{entity_name} började detektera vibrationer", - "both_buttons": "Båda knapparna", - "bottom_buttons": "Bottenknappar", - "seventh_button": "Sjunde knappen", - "eighth_button": "Åttonde knappen", - "dim_down": "Dimma ned", - "dim_up": "Dimma upp", - "left": "Vänster", - "right": "Höger", - "side": "Sida 6", - "top_buttons": "Toppknappar", - "device_awakened": "Enheten väcktes", - "trigger_type_remote_button_long_release": "\"{subtype}\"-knappen släpptes efter ett långtryck", - "button_rotated_subtype": "Knappen roterade \"{subtype}\"", - "button_rotated_fast_subtype": "Knappen roterades snabbt \" {subtype} \"", - "button_rotation_subtype_stopped": "Knapprotationen \"{subtype}\" stoppades", - "device_subtype_double_tapped": "Enheten \"{subtype}\" dubbeltryckt", - "trigger_type_remote_double_tap_any_side": "Enheten dubbeltryckt på valfri sida", - "device_in_free_fall": "Enhet i fritt fall", - "device_flipped_degrees": "Enheten vänd 90 grader", - "device_shaken": "Enhet skakad", - "trigger_type_remote_moved": "Enheten flyttades med \"{subtype}\" upp", - "trigger_type_remote_moved_any_side": "Enheten flyttades med valfri sida uppåt", - "trigger_type_remote_rotate_from_side": "Enheten roterades från \"sida 6\" till \"{subtype}\"", - "device_turned_clockwise": "Enheten vriden medurs", - "device_turned_counter_clockwise": "Enheten vände moturs", - "lock_entity_name": "Lås {entity_name}", - "unlock_entity_name": "Lås upp {entity_name}", - "critical": "Kritiska", - "debug": "Felsökning", - "warning": "Varning", + "entity_name_update_availability_changed": "{entity_name} uppdateringstillgänglighet ändrad", "add_to_queue": "Lägg till i kö", "play_next": "Spela nästa", "options_replace": "Tömmer kön och spelar nu", "repeat_all": "Upprepa alla", "repeat_one": "Upprepa en", + "critical": "Kritiska", + "debug": "Felsökning", + "warning": "Varning", + "arithmetic_mean": "Aritmetiskt medelvärde", + "median": "Median", + "product": "Produkt", + "statistical_range": "Statistiskt intervall", + "standard_deviation": "Standardavvikelse", "alice_blue": "Aliceblå", "antique_white": "Antikvit", "aqua": "Aquablå", @@ -2657,7 +2738,6 @@ "old_lace": "Gammal spets", "olive": "Olivgrön", "olive_drab": "Oliv grågrön", - "orange_red": "Orangeröd", "orchid": "Orkidé", "pale_goldenrod": "Blek gullris", "pale_green": "Blekgrön", @@ -2690,15 +2770,111 @@ "wheat": "Vete", "white_smoke": "Vit rök", "yellow_green": "Gulgrön", + "fatal": "Dödliga", "no_device_class": "Ingen enhetsklass", "no_state_class": "Ingen tillståndsklass", "no_unit_of_measurement": "Ingen måttenhet", - "fatal": "Dödliga", - "arithmetic_mean": "Aritmetiskt medelvärde", - "median": "Median", - "product": "Produkt", - "statistical_range": "Statistiskt intervall", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dumpa loggobjekt", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Logga schemalagt i händelseloop", + "log_thread_frames_description": "Loggar de aktuella bildrutorna för alla trådar.", + "log_thread_frames": "Logga trådar", + "lru_stats_description": "Loggar statistiken för alla LRU-cacher.", + "log_lru_stats": "Logga LRU-statistik", + "starts_the_memory_profiler": "Startar Memory Profiler.", + "seconds": "Sekunder", + "memory": "Minne", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Startar profileraren.", + "max_objects_description": "Maximalt antal objekt som ska loggas.", + "maximum_objects": "Maximalt antal objekt", + "scan_interval_description": "Antalet sekunder mellan loggning av objekt.", + "scan_interval": "Skanningsintervall", + "start_logging_object_sources": "Börja logga objektkällor", + "start_log_objects_description": "Börjar logga tillväxt av objekt i minnet.", + "start_logging_objects": "Börja logga objekt", + "stop_logging_object_sources": "Sluta logga objektkällor", + "stop_log_objects_description": "Slutar logga tillväxt av objekt i minnet.", + "stop_logging_objects": "Sluta logga objekt", + "request_sync_description": "Skickar ett request_sync-kommando till Google.", + "agent_user_id": "Användar-ID för agent", + "request_sync": "Begär synkronisering", + "reload_resources_description": "Laddar om instrumentpanelens resurser från YAML-konfigurationen.", + "clears_all_log_entries": "Tar bort alla loggrader.", + "clear_all": "Rensa allt", + "write_log_entry": "Skriv loggpost.", + "log_level": "Loggnivå.", + "level": "Nivå", + "message_to_log": "Meddelande att logga.", + "write": "Skriv", + "set_value_description": "Ställer in värdet på ett tal.", + "value_description": "Värde för konfigurationsparametern.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Slår på/av sirenen.", + "turns_the_siren_off": "Stänger av sirenen.", + "turns_the_siren_on": "Slår på sirenen.", + "tone": "Ton", + "create_event_description": "Lägg till en ny kalenderhändelse.", + "location_description": "Plats för evenemanget. Valfritt.", + "start_date_description": "Det datum då heldagsevenemanget ska börja.", + "create_event": "Skapa händelse", + "get_events": "Hämta händelser", + "list_event": "Lista händelser", + "closes_a_cover": "Stänger ett skydd.", + "close_cover_tilt_description": "Lutar ett skydd mot stängt läge", + "close_tilt": "Stängd lutning", + "opens_a_cover": "Öppnar ett skydd.", + "tilts_a_cover_open": "Lutar ett skydd mot öppet läge", + "open_tilt": "Öppen lutning", + "set_cover_position_description": "Flyttar ett skydd till en specifik position.", + "target_position": "Målposition.", + "set_position": "Sätt position", + "target_tilt_positition": "Position att luta skyddet till", + "set_tilt_position": "Ställ in lutningsposition", + "stops_the_cover_movement": "Stoppar skyddets rörelse.", + "stop_cover_tilt_description": "Stoppar rörelsen av ett skydds lutning.", + "stop_tilt": "Stoppa lutning", + "toggles_a_cover_open_closed": "Växlar ett skydd öppet/stängt.", + "toggle_cover_tilt_description": "Växlar en lutning av skyddet öppet/stängt.", + "toggle_tilt": "Växla lutning", + "check_configuration": "Kontrollera konfigurationen", + "reload_all": "Ladda om alla", + "reload_config_entry_description": "Laddar om den angivna konfigurationsposten.", + "config_entry_id": "Konfigurera post-ID", + "reload_config_entry": "Ladda om konfigurationspost", + "reload_core_config_description": "Laddar om kärnkonfigurationen från YAML-konfigurationen.", + "reload_core_configuration": "Ladda om kärnkonfigurationen", + "reload_custom_jinja_templates": "Ladda om anpassade Jinja2-mallar", + "restarts_home_assistant": "Startar om Home Assistant.", + "safe_mode_description": "Inaktiverar anpassade integrationer och anpassade kort.", + "save_persistent_states": "Spara beständiga tillstånd", + "set_location_description": "Uppdaterar Home Assistant-platsen.", + "elevation_of_your_location": "Höjd över havet för din plats.", + "latitude_of_your_location": "Latitud för din position.", + "longitude_of_your_location": "Longitud för din position.", + "set_location": "Ange plats", + "stops_home_assistant": "Stoppar Home Assistant.", + "generic_toggle": "Generell växel", + "generic_turn_off": "Generell avstängning", + "generic_turn_on": "Generell start", + "update_entity": "Uppdatera entitet", + "creates_a_new_backup": "Skapar en ny säkerhetskopia.", + "decrement_description": "Minskar det aktuella värdet med 1 steg.", + "increment_description": "Ökar det aktuella värdet med 1 steg.", + "sets_the_value": "Ställer in värdet", + "the_target_value": "Målvärdet", + "reloads_the_automation_configuration": "Laddar om automationskonfigurationen.", + "toggle_description": "Slår på/av en mediaspelare.", + "trigger_description": "Utlöser åtgärder för en automatisering.", + "skip_conditions": "Hoppa över villkor", + "trigger": "Extern utlösare", + "disables_an_automation": "Inaktiverar en automatisering.", + "stops_currently_running_actions": "Stoppar pågående åtgärder.", + "stop_actions": "Stoppa åtgärder", + "enables_an_automation": "Aktiverar en automatisering.", "restarts_an_add_on": "Startar om ett tillägg.", "the_add_on_slug": "Slug-ID för tillägget.", "restart_add_on": "Starta om tillägget.", @@ -2731,121 +2907,61 @@ "restore_partial_description": "Återställer från delvis säkerhetskopia.", "restores_home_assistant": "Återställer Home Assistant.", "restore_from_partial_backup": "Återställa från delvis säkerhetskopia.", - "broadcast_address": "Sändningsadress", - "broadcast_port_description": "Port dit det magiska paketet ska skickas.", - "broadcast_port": "Port för sändning", - "mac_address": "MAC-adress", - "send_magic_packet": "Skicka magiskt paket", - "command_description": "Kommando(n) att skicka till Google Assistant.", - "command": "Kommando", - "media_player_entity": "Mediaspelarentitet", - "send_text_command": "Skicka textkommando", - "clear_tts_cache": "Rensa TTS-cache", - "cache": "Cache", - "entity_id_description": "Entitet att referera till i loggboksposten.", - "language_description": "Språk för text. Standardvärdet är serverns språk.", - "options_description": "En ordlista som innehåller integrationsspecifika alternativ.", - "say_a_tts_message": "Säg ett TTS-meddelande", - "media_player_entity_id_description": "Mediaspelare som meddelandet ska spelas upp på.", - "speak": "Tala", - "stops_a_running_script": "Stoppar ett skript som körs.", - "request_sync_description": "Skickar ett request_sync-kommando till Google.", - "agent_user_id": "Användar-ID för agent", - "request_sync": "Begär synkronisering", - "sets_a_random_effect": "Ställer in en slumpmässig effekt.", - "sequence_description": "Lista över HSV-sekvenser (Max 16).", - "backgrounds": "Bakgrunder", - "initial_brightness": "Initial ljusstyrka.", - "range_of_brightness": "Omfång av ljusstyrka.", - "brightness_range": "Ljusstyrkans omfång", - "fade_off": "Tona ut", - "range_of_hue": "Omfång av nyans.", - "hue_range": "Nyansintervall", - "initial_hsv_sequence": "Initial HSV-sekvens.", - "initial_states": "Initiala tillstånd", - "random_seed": "Slumpmässigt frö", - "range_of_saturation": "Mättnadsområde.", - "saturation_range": "Mättnadsområde", - "segments_description": "Lista över segment (0 för alla).", - "segments": "Segment", - "transition": "Övergång", - "range_of_transition": "Område för övergång.", - "transition_range": "Övergångsområde", - "random_effect": "Slumpmässig effekt", - "sets_a_sequence_effect": "Ställer in en sekvens-effekt.", - "repetitions_for_continuous": "Upprepningar (0 för kontinuerlig).", - "repeats": "Upprepningar", - "sequence": "Sekvens", - "speed_of_spread": "Spridningshastighet.", - "spread": "Spridning", - "sequence_effect": "Sekvenseffekt", - "check_configuration": "Kontrollera konfigurationen", - "reload_all": "Ladda om alla", - "reload_config_entry_description": "Laddar om den angivna konfigurationsposten.", - "config_entry_id": "Konfigurera post-ID", - "reload_config_entry": "Ladda om konfigurationspost", - "reload_core_config_description": "Laddar om kärnkonfigurationen från YAML-konfigurationen.", - "reload_core_configuration": "Ladda om kärnkonfigurationen", - "reload_custom_jinja_templates": "Ladda om anpassade Jinja2-mallar", - "restarts_home_assistant": "Startar om Home Assistant.", - "safe_mode_description": "Inaktiverar anpassade integrationer och anpassade kort.", - "save_persistent_states": "Spara beständiga tillstånd", - "set_location_description": "Uppdaterar Home Assistant-platsen.", - "elevation_of_your_location": "Höjd över havet för din plats.", - "latitude_of_your_location": "Latitud för din position.", - "longitude_of_your_location": "Longitud för din position.", - "set_location": "Ange plats", - "stops_home_assistant": "Stoppar Home Assistant.", - "generic_toggle": "Generell växel", - "generic_turn_off": "Generell avstängning", - "generic_turn_on": "Generell start", - "update_entity": "Uppdatera entitet", - "create_event_description": "Lägg till en ny kalenderhändelse.", - "location_description": "Plats för evenemanget. Valfritt.", - "start_date_description": "Det datum då heldagsevenemanget ska börja.", - "create_event": "Skapa händelse", - "get_events": "Hämta händelser", - "list_event": "Lista händelser", - "toggles_a_switch_on_off": "Växlar en strömbrytare på/av.", - "turns_a_switch_off": "Stänger av en strömbrytare.", - "turns_a_switch_on": "Slår på en strömbrytare.", - "disables_the_motion_detection": "Inaktiverar rörelsedetektering.", - "disable_motion_detection": "Inaktivera rörelsedetektering", - "enables_the_motion_detection": "Aktiverar rörelsedetektering.", - "enable_motion_detection": "Aktivera rörelsedetektering", - "format_description": "Strömformat som stöds av mediaspelaren.", - "format": "Format", - "media_player_description": "Mediaspelare att strömma till.", - "play_stream": "Spela ström", - "filename": "Filnamn", - "lookback": "Återblick", - "snapshot_description": "Tar en avbild från en kamera.", - "take_snapshot": "Tar en avbild", - "turns_off_the_camera": "Stänger av kameran.", - "turns_on_the_camera": "Slår på kameran.", - "notify_description": "Skickar ett meddelande till valda mål.", - "data": "Data", - "message_description": "Meddelandets text.", - "title_of_the_notification": "Rubrik för ditt meddelande", - "send_a_persistent_notification": "Skicka ett beständigt meddelande", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "(Valfri) rubrik på meddelandet.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Skapar en ny säkerhetskopia.", - "see_description": "Registrerar en spårad enhet.", - "battery_description": "Enhetens batterinivå.", - "gps_coordinates": "GPS-koordinater", - "gps_accuracy_description": "GPS-koordinaternas noggrannhet.", - "hostname_of_the_device": "Värdnamn för enheten.", - "hostname": "Värdnamn", - "mac_description": "Enhetens MAC-adress.", - "see": "Se", - "log_description": "Skapar en anpassad post i loggboken.", - "log": "Logg", + "clears_the_playlist": "Tömmer spellistan.", + "clear_playlist": "Töm spellistan", + "selects_the_next_track": "Väljer nästa spår.", + "pauses": "Pausar.", + "starts_playing": "Börjar spela.", + "toggles_play_pause": "Växlar mellan uppspelning/paus.", + "selects_the_previous_track": "Väljer föregående spår.", + "seek": "Sök", + "stops_playing": "Slutar spela.", + "starts_playing_specified_media": "Startar uppspelning av angivet media.", + "announce": "Meddela", + "enqueue": "Köa", + "repeat_mode_to_set": "Upprepningsläge att ställa in.", + "select_sound_mode_description": "Väljer ett ljudläge.", + "select_sound_mode": "Välj ljudläge", + "select_source": "Välj källa", + "shuffle_description": "Anger om blandningsläget är aktiverat eller inte.", + "turns_down_the_volume": "Sänker volymen.", + "volume_mute_description": "Slår på eller stänger av ljudet för mediaspelaren.", + "is_volume_muted_description": "Anger om ljudet är påslaget eller avstängt.", + "mute_unmute_volume": "Ljud av/på", + "sets_the_volume_level": "Ställer in volymnivån.", + "set_volume": "Ställ in volym", + "turns_up_the_volume": "Höjer volymen.", + "apply_filter": "Tillämpa filter", + "days_to_keep": "Dagar att behålla", + "repack": "Packa om", + "purge": "Rensa", + "domains_to_remove": "Domäner att ta bort", + "entity_globs_to_remove": "Entity-globs att ta bort", + "entities_to_remove": "Entiteter som ska tas bort", + "purge_entities": "Rensa entiteter", + "decrease_speed_description": "Minskar fläktens hastighet.", + "percentage_step_description": "Ökar hastigheten med ett procentsteg.", + "decrease_speed": "Minska hastigheten", + "increase_speed_description": "Ökar fläktens hastighet.", + "increase_speed": "Öka hastigheten", + "oscillate_description": "Styr fläktens svängning.", + "turn_on_off_oscillation": "Slå på / av svängning.", + "set_direction_description": "Ställer in fläktens rotationsriktning.", + "direction_to_rotate": "Riktning för rotation.", + "set_direction": "Ange riktning", + "sets_the_fan_speed": "Ställer in fläkthastigheten.", + "speed_of_the_fan": "Fläktens hastighet.", + "percentage": "Procent", + "set_speed": "Ställ in hastighet", + "sets_preset_mode": "Ställer in förinställt läge.", + "set_preset_mode": "Ställ in förinställt läge", + "toggles_the_fan_on_off": "Slår på/av fläkten.", + "turns_fan_off": "Stäng av fläkten.", + "turns_fan_on": "Slår på fläkten.", "apply_description": "Aktiverar en scen med konfiguration.", "entities_description": "Lista över entiteter och deras måltillstånd.", "entities_state": "Tillstånd för entiteter", + "transition": "Övergång", "apply": "Tillämpa", "creates_a_new_scene": "Skapar en ny scen.", "scene_id_description": "Den nya scenens entitets-ID.", @@ -2853,6 +2969,119 @@ "snapshot_entities": "Entiteter för ögonblicksbild", "delete_description": "Raderar en dynamiskt skapad scen.", "activates_a_scene": "Aktivera en scen", + "selects_the_first_option": "Väljer det första alternativet.", + "first": "Första", + "selects_the_last_option": "Väljer det sista alternativet.", + "select_the_next_option": "Väljer nästa alternativ.", + "selects_an_option": "Väljer ett alternativ.", + "option_to_be_selected": "Alternativ som ska väljas.", + "selects_the_previous_option": "Väljer föregående alternativ.", + "sets_the_options": "Ställer in alternativen.", + "list_of_options": "Lista över alternativ.", + "set_options": "Ställ in alternativ", + "closes_a_valve": "Stänger en ventil.", + "opens_a_valve": "Öppnar en ventil.", + "set_valve_position_description": "Flyttar en ventil till en specifik position.", + "stops_the_valve_movement": "Stoppar ventilens rörelse.", + "toggles_a_valve_open_closed": "Öppnar/stänger en ventil.", + "load_url_description": "Laddar en URL på Fully Kiosk Browser.", + "url_to_load": "URL att ladda.", + "load_url": "Ladda URL", + "configuration_parameter_to_set": "Konfigurationsparameter att ställa in.", + "key": "Nyckel", + "set_configuration": "Ange konfiguration", + "application_description": "Paketnamn för det program som ska startas.", + "application": "Applikation", + "start_application": "Starta applikation", + "command_description": "Kommando(n) att skicka till Google Assistant.", + "command": "Kommando", + "media_player_entity": "Mediaspelarentitet", + "send_text_command": "Skicka textkommando", + "code_description": "Kod som används för att låsa upp.", + "arm_with_custom_bypass": "Larmat med anpassad förbikoppling", + "alarm_arm_vacation_description": "Ställer in larmet på: _larmat semesterläge_.", + "disarms_the_alarm": "Avaktiverar larmet.", + "alarm_trigger_description": "Möjliggör en extern larmutlösare.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Laddar ner fil från angiven URL.", + "sets_a_random_effect": "Ställer in en slumpmässig effekt.", + "sequence_description": "Lista över HSV-sekvenser (Max 16).", + "backgrounds": "Bakgrunder", + "initial_brightness": "Initial ljusstyrka.", + "range_of_brightness": "Omfång av ljusstyrka.", + "brightness_range": "Ljusstyrkans omfång", + "fade_off": "Tona ut", + "range_of_hue": "Omfång av nyans.", + "hue_range": "Nyansintervall", + "initial_hsv_sequence": "Initial HSV-sekvens.", + "initial_states": "Initiala tillstånd", + "random_seed": "Slumpmässigt frö", + "range_of_saturation": "Mättnadsområde.", + "saturation_range": "Mättnadsområde", + "segments_description": "Lista över segment (0 för alla).", + "segments": "Segment", + "range_of_transition": "Område för övergång.", + "transition_range": "Övergångsområde", + "random_effect": "Slumpmässig effekt", + "sets_a_sequence_effect": "Ställer in en sekvens-effekt.", + "repetitions_for_continuous": "Upprepningar (0 för kontinuerlig).", + "repeats": "Upprepningar", + "sequence": "Sekvens", + "speed_of_spread": "Spridningshastighet.", + "spread": "Spridning", + "sequence_effect": "Sekvenseffekt", + "press_the_button_entity": "Tryck på knappen entitet.", + "see_description": "Registrerar en spårad enhet.", + "battery_description": "Enhetens batterinivå.", + "gps_coordinates": "GPS-koordinater", + "gps_accuracy_description": "GPS-koordinaternas noggrannhet.", + "hostname_of_the_device": "Värdnamn för enheten.", + "hostname": "Värdnamn", + "mac_description": "Enhetens MAC-adress.", + "mac_address": "MAC-adress", + "see": "Se", + "process_description": "Startar en konversation från en transkriberad text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Språk som ska användas för talgenerering.", + "transcribed_text_input": "Transkriberad textinmatning.", + "process": "Process", + "reloads_the_intent_configuration": "Laddar om avsiktskonfigurationen.", + "conversation_agent_to_reload": "Konversationsagent att ladda om.", + "create_description": "Visar ett meddelande på **Meddelande**-panelen.", + "message_description": "Meddelande från loggboksposten.", + "notification_id": "Meddelande-ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Tar bort ett meddelande från **Meddelande**-panelen.", + "notification_id_description": "ID för meddelandet som ska tas bort.", + "dismiss_all_description": "Tar bort alla meddelanden från **Meddelande**panelen.", + "notify_description": "Skickar ett meddelande till valda mål.", + "data": "Data", + "title_of_the_notification": "Rubrik för ditt meddelande", + "send_a_persistent_notification": "Skicka ett beständigt meddelande", + "sends_a_notification_message": "Skickar ett aviseringsmeddelande.", + "your_notification_message": "Ditt aviseringsmeddelande.", + "send_a_notification_message": "Skicka ett aviseringsmeddelande", + "device_description": "Enhets-ID att skicka kommando till.", + "delete_command": "Radera kommando", + "command_type_description": "Den typ av kommando som ska läras in.", + "command_type": "Typ av kommando", + "timeout_description": "Timeout för kommandot att läras in.", + "learn_command": "Lär in kommando", + "delay_seconds": "Fördröjning sekunder", + "hold_seconds": "Håll i sekunder", + "send_command": "Skicka kommando", + "toggles_a_device_on_off": "Slår på/av en enhet.", + "turns_the_device_off": "Stänger av enheten.", + "turn_on_description": "Skickar power on-kommando.", + "stops_a_running_script": "Stoppar ett skript som körs.", + "locks_a_lock": "Låser ett lås.", + "opens_a_lock": "Öppnar ett lås.", + "unlocks_a_lock": "Låser upp ett lås.", "turns_auxiliary_heater_on_off": "Slår på/av tillsatsvärmaren.", "aux_heat_description": "Nytt värde för tillsatsvärmare.", "auxiliary_heating": "Extra uppvärmning", @@ -2864,10 +3093,7 @@ "set_target_humidity": "Ställ in önskad luftfuktighet", "sets_hvac_operation_mode": "Ställer in HVAC-driftläge.", "hvac_operation_mode": "Driftläge för HVAC.", - "hvac_mode": "HVAC-läge", "set_hvac_mode": "Ställ in HVAC-läge", - "sets_preset_mode": "Ställer in förinställt läge.", - "set_preset_mode": "Ställ in förinställt läge", "sets_swing_operation_mode": "Ställer in svängningsläge.", "swing_operation_mode": "Svängningsläge.", "set_swing_mode": "Ställ in svängläge", @@ -2879,70 +3105,25 @@ "set_target_temperature": "Ställ måltemperatur", "turns_climate_device_off": "Stänger av klimatenheten.", "turns_climate_device_on": "Slår på klimatenheten.", - "clears_all_log_entries": "Tar bort alla loggrader.", - "clear_all": "Rensa allt", - "write_log_entry": "Skriv loggpost.", - "log_level": "Loggnivå.", - "level": "Nivå", - "message_to_log": "Meddelande att logga.", - "write": "Skriv", - "device_description": "Enhets-ID att skicka kommando till.", - "delete_command": "Radera kommando", - "command_type_description": "Den typ av kommando som ska läras in.", - "command_type": "Typ av kommando", - "timeout_description": "Timeout för kommandot att läras in.", - "learn_command": "Lär in kommando", - "delay_seconds": "Fördröjning sekunder", - "hold_seconds": "Håll i sekunder", - "send_command": "Skicka kommando", - "toggles_a_device_on_off": "Slår på/av en enhet.", - "turns_the_device_off": "Stänger av enheten.", - "turn_on_description": "Skickar power on-kommando.", - "clears_the_playlist": "Tömmer spellistan.", - "clear_playlist": "Töm spellistan", - "selects_the_next_track": "Väljer nästa spår.", - "pauses": "Pausar.", - "starts_playing": "Börjar spela.", - "toggles_play_pause": "Växlar mellan uppspelning/paus.", - "selects_the_previous_track": "Väljer föregående spår.", - "seek": "Sök", - "stops_playing": "Slutar spela.", - "starts_playing_specified_media": "Startar uppspelning av angivet media.", - "announce": "Meddela", - "enqueue": "Köa", - "repeat_mode_to_set": "Upprepningsläge att ställa in.", - "select_sound_mode_description": "Väljer ett ljudläge.", - "select_sound_mode": "Välj ljudläge", - "select_source": "Välj källa", - "shuffle_description": "Anger om blandningsläget är aktiverat eller inte.", - "toggle_description": "Växlar (aktiverar/inaktiverar) en automation.", - "turns_down_the_volume": "Sänker volymen.", - "volume_mute_description": "Slår på eller stänger av ljudet för mediaspelaren.", - "is_volume_muted_description": "Anger om ljudet är påslaget eller avstängt.", - "mute_unmute_volume": "Ljud av/på", - "sets_the_volume_level": "Ställer in volymnivån.", - "set_volume": "Ställ in volym", - "turns_up_the_volume": "Höjer volymen.", - "topic_to_listen_to": "Ämne att lyssna på.", - "topic": "Ämne", - "export": "Exportera", - "publish_description": "Publicerar ett meddelande till ett MQTT-ämne.", - "the_payload_to_publish": "Nyttolasten att publicera.", - "payload": "Nyttolast", - "payload_template": "Mall för nyttolast", - "qos": "QoS", - "retain": "Behåll", - "topic_to_publish_to": "Ämne att publicera till.", - "publish": "Publicera", + "add_event_description": "Lägger till en ny kalenderhändelse.", + "calendar_id_description": "ID för den kalender du vill ha.", + "calendar_id": "Kalender-ID", + "description_description": "Beskrivning av händelsen. Valfritt.", + "summary_description": "Fungerar som titel för händelsen.", + "creates_event": "Skapar händelse", + "dashboard_path": "Sökväg till instrumentpanel", + "view_path": "Visa sökväg", + "show_dashboard_view": "Visa instrumentpanelens vy", "brightness_value": "Värde för ljusstyrka", "a_human_readable_color_name": "Ett färgnamn som kan läsas av människor.", "color_name": "Färgnamn", - "color_temperature_in_mireds": "Färgtemperatur i mireds", + "color_temperature_in_mireds": "Färgtemperatur i mireds.", "light_effect": "Ljuseffekt", - "flash": "Blinka", "hue_sat_color": "Hue/Sat-färg", "color_temperature_in_kelvin": "Färgtemperatur i Kelvin.", "profile_description": "Namn på ljusprofil att använda.", + "rgbw_color": "RGBW-färg", + "rgbww_color": "RGBWW-färg", "white_description": "Ställ in ljuset på vitt läge.", "xy_color": "XY-färg", "turn_off_description": "Stäng av en eller flera lampor", @@ -2950,186 +3131,72 @@ "brightness_step_value": "Stegvärde för ljusstyrka", "brightness_step_pct_description": "Ändra ljusstyrkan med en procentsats.", "brightness_step": "Steg för ljusstyrka", - "rgbw_color": "RGBW-färg", - "rgbww_color": "RGBWW-färg", - "reloads_the_automation_configuration": "Laddar om automationskonfigurationen.", - "trigger_description": "Utlöser åtgärder för en automatisering.", - "skip_conditions": "Hoppa över villkor", - "trigger": "Extern utlösare", - "disables_an_automation": "Inaktiverar en automatisering.", - "stops_currently_running_actions": "Stoppar pågående åtgärder.", - "stop_actions": "Stoppa åtgärder", - "enables_an_automation": "Aktiverar en automatisering.", - "dashboard_path": "Sökväg till instrumentpanel", - "view_path": "Visa sökväg", - "show_dashboard_view": "Visa instrumentpanelens vy", - "toggles_the_siren_on_off": "Slår på/av sirenen.", - "turns_the_siren_off": "Stänger av sirenen.", - "turns_the_siren_on": "Slår på sirenen.", - "tone": "Ton", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Laddar ner fil från angiven URL.", - "removes_a_group": "Tar bort en grupp.", - "object_id": "Objekt-ID", - "creates_updates_a_user_group": "Skapar/uppdaterar en användargrupp.", - "add_entities": "Lägga till entiteter", - "icon_description": "Namn på ikonen för gruppen.", - "name_of_the_group": "Namn på gruppen.", - "remove_entities": "Ta bort entiteter", - "selects_the_first_option": "Väljer det första alternativet.", - "first": "Första", - "selects_the_last_option": "Väljer det sista alternativet.", - "select_the_next_option": "Väljer nästa alternativ.", - "cycle": "Cykla", - "selects_an_option": "Väljer ett alternativ.", - "option_to_be_selected": "Alternativ som ska väljas.", - "selects_the_previous_option": "Väljer föregående alternativ.", - "create_description": "Visar ett meddelande på **Meddelande**-panelen.", - "notification_id": "Meddelande-ID", - "dismiss_description": "Tar bort ett meddelande från **Meddelande**-panelen.", - "notification_id_description": "ID för meddelandet som ska tas bort.", - "dismiss_all_description": "Tar bort alla meddelanden från **Meddelande**panelen.", - "cancels_a_timer": "Avbryter en timer.", - "changes_a_timer": "Ändrar en timer.", - "finishes_a_timer": "Avslutar en timer.", - "pauses_a_timer": "Pausar en timer.", - "starts_a_timer": "Startar en timer.", - "duration_description": "Den tid som timern behöver för att avsluta. [valfritt].", - "sets_the_options": "Ställer in alternativen.", - "list_of_options": "Lista över alternativ.", - "set_options": "Ställ in alternativ", - "clear_skipped_update": "Ta bort ignorerad uppdatering", - "install_update": "Installera uppdatering", - "skip_description": "Markerar den aktuella tillgängliga uppdateringen som överhoppad.", - "skip_update": "Hoppa över uppdatering", - "set_default_level_description": "Ställer in standardloggnivån för integrationer.", - "level_description": "Ställer in standardloggnivån för alla integrationer.", - "set_default_level": "Ställ in standardnivå", - "set_level": "Ställ in nivå", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Fjärranslutning", - "remote_disconnect": "Koppla bort fjärranslutning", - "set_value_description": "Ställer in värdet på ett tal.", - "value_description": "Värde för konfigurationsparametern.", - "value": "Värde", - "closes_a_cover": "Stänger ett skydd.", - "close_cover_tilt_description": "Lutar ett skydd mot stängt läge", - "close_tilt": "Stängd lutning", - "opens_a_cover": "Öppnar ett skydd.", - "tilts_a_cover_open": "Lutar ett skydd mot öppet läge", - "open_tilt": "Öppen lutning", - "set_cover_position_description": "Flyttar ett skydd till en specifik position.", - "target_position": "Målposition.", - "set_position": "Set position", - "target_tilt_positition": "Position att luta skyddet till", - "set_tilt_position": "Ställ in lutningsposition", - "stops_the_cover_movement": "Stoppar skyddets rörelse.", - "stop_cover_tilt_description": "Stoppar rörelsen av ett skydds lutning.", - "stop_tilt": "Stoppa lutning", - "toggles_a_cover_open_closed": "Växlar ett skydd öppet/stängt.", - "toggle_cover_tilt_description": "Växlar en lutning av skyddet öppet/stängt.", - "toggle_tilt": "Växla lutning", - "toggles_the_helper_on_off": "Växlar hjälparen på/av.", - "turns_off_the_helper": "Stänger av hjälparen.", - "turns_on_the_helper": "Slår på hjälparen.", - "decrement_description": "Minskar det aktuella värdet med 1 steg.", - "increment_description": "Ökar det aktuella värdet med 1 steg.", - "sets_the_value": "Ställer in värdet", - "the_target_value": "Målvärdet", - "dump_log_objects": "Dumpa loggobjekt", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Logga schemalagt i händelseloop", - "log_thread_frames_description": "Loggar de aktuella bildrutorna för alla trådar.", - "log_thread_frames": "Logga trådar", - "lru_stats_description": "Loggar statistiken för alla LRU-cacher.", - "log_lru_stats": "Logga LRU-statistik", - "starts_the_memory_profiler": "Startar Memory Profiler.", - "seconds": "Sekunder", - "memory": "Minne", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Startar profileraren.", - "max_objects_description": "Maximalt antal objekt som ska loggas.", - "maximum_objects": "Maximalt antal objekt", - "scan_interval_description": "Antalet sekunder mellan loggning av objekt.", - "scan_interval": "Skanningsintervall", - "start_logging_object_sources": "Börja logga objektkällor", - "start_log_objects_description": "Börjar logga tillväxt av objekt i minnet.", - "start_logging_objects": "Börja logga objekt", - "stop_logging_object_sources": "Sluta logga objektkällor", - "stop_log_objects_description": "Slutar logga tillväxt av objekt i minnet.", - "stop_logging_objects": "Sluta logga objekt", - "process_description": "Startar en konversation från en transkriberad text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transkriberad textinmatning.", - "process": "Process", - "reloads_the_intent_configuration": "Laddar om avsiktskonfigurationen.", - "conversation_agent_to_reload": "Konversationsagent att ladda om.", - "apply_filter": "Tillämpa filter", - "days_to_keep": "Dagar att behålla", - "repack": "Packa om", - "purge": "Rensa", - "domains_to_remove": "Domäner att ta bort", - "entity_globs_to_remove": "Entity-globs att ta bort", - "entities_to_remove": "Entities to remove", - "purge_entities": "Rensa entiteter", - "reload_resources_description": "Laddar om instrumentpanelens resurser från YAML-konfigurationen.", + "topic_to_listen_to": "Ämne att lyssna på.", + "topic": "Ämne", + "export": "Exportera", + "publish_description": "Publicerar ett meddelande till ett MQTT-ämne.", + "the_payload_to_publish": "Nyttolasten att publicera.", + "payload": "Nyttolast", + "payload_template": "Mall för nyttolast", + "qos": "QoS", + "retain": "Behåll", + "topic_to_publish_to": "Ämne att publicera till.", + "publish": "Publicera", + "ptz_move_description": "Flytta kameran med en viss hastighet.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Skapar en anpassad post i loggboken.", + "entity_id_description": "Mediaspelare som meddelandet ska spelas upp på.", + "log": "Logg", + "toggles_a_switch_on_off": "Växlar en strömbrytare på/av.", + "turns_a_switch_off": "Stänger av en strömbrytare.", + "turns_a_switch_on": "Slår på en strömbrytare.", "reload_themes_description": "Laddar om teman från YAML-konfigurationen.", "reload_themes": "Ladda om teman", "name_of_a_theme": "Namn på ett tema.", "set_the_default_theme": "Ange standardtema", + "toggles_the_helper_on_off": "Växlar hjälparen på/av.", + "turns_off_the_helper": "Stänger av hjälparen.", + "turns_on_the_helper": "Slår på hjälparen.", "decrements_a_counter": "Minskar en räknare.", "increments_a_counter": "Ökar en räknare.", "resets_a_counter": "Nollställer en räknare.", "sets_the_counter_value": "Ställer in räknarvärdet.", - "code_description": "Kod som används för att låsa upp.", - "arm_with_custom_bypass": "Larmat med anpassad förbikoppling", - "alarm_arm_vacation_description": "Ställer in larmet på: _larmat semesterläge_.", - "disarms_the_alarm": "Avaktiverar larmet.", - "alarm_trigger_description": "Möjliggör en extern larmutlösare.", + "remote_connect": "Fjärranslutning", + "remote_disconnect": "Koppla bort fjärranslutning", "get_weather_forecast": "Få väderprognos.", "type_description": "Typ av prognos: dagligen, varje timme eller två gånger dagligen.", "forecast_type": "Typ av prognos", "get_forecast": "Få prognos", "get_weather_forecasts": "Hämta väderprognoser.", "get_forecasts": "Hämta väderprognoser", - "load_url_description": "Laddar en URL på Fully Kiosk Browser.", - "url_to_load": "URL att ladda.", - "load_url": "Ladda URL", - "configuration_parameter_to_set": "Konfigurationsparameter att ställa in.", - "key": "Nyckel", - "set_configuration": "Ange konfiguration", - "application_description": "Paketnamn för det program som ska startas.", - "application": "Applikation", - "start_application": "Starta applikation", - "decrease_speed_description": "Minskar fläktens hastighet.", - "percentage_step_description": "Ökar hastigheten med ett procentsteg.", - "decrease_speed": "Minska hastigheten", - "increase_speed_description": "Ökar fläktens hastighet.", - "increase_speed": "Öka hastigheten", - "oscillate_description": "Styr fläktens svängning.", - "turn_on_off_oscillation": "Slå på / av svängning.", - "set_direction_description": "Ställer in fläktens rotationsriktning.", - "direction_to_rotate": "Riktning för rotation.", - "set_direction": "Ange riktning", - "sets_the_fan_speed": "Ställer in fläkthastigheten.", - "speed_of_the_fan": "Fläktens hastighet.", - "percentage": "Procent", - "set_speed": "Ställ in hastighet", - "toggles_the_fan_on_off": "Slår på/av fläkten.", - "turns_fan_off": "Stäng av fläkten.", - "turns_fan_on": "Slår på fläkten.", - "locks_a_lock": "Låser ett lås.", - "opens_a_lock": "Öppnar ett lås.", - "unlocks_a_lock": "Låser upp ett lås.", - "press_the_button_entity": "Tryck på knappen entitet.", + "disables_the_motion_detection": "Inaktiverar rörelsedetektering.", + "disable_motion_detection": "Inaktivera rörelsedetektering", + "enables_the_motion_detection": "Aktiverar rörelsedetektering.", + "enable_motion_detection": "Aktivera rörelsedetektering", + "format_description": "Strömformat som stöds av mediaspelaren.", + "format": "Format", + "media_player_description": "Mediaspelare att strömma till.", + "play_stream": "Spela ström", + "filename": "Filnamn", + "lookback": "Återblick", + "snapshot_description": "Tar en avbild från en kamera.", + "take_snapshot": "Tar en avbild", + "turns_off_the_camera": "Stänger av kameran.", + "turns_on_the_camera": "Slår på kameran.", + "clear_tts_cache": "Rensa TTS-cache", + "cache": "Cache", + "options_description": "En ordlista som innehåller integrationsspecifika alternativ.", + "say_a_tts_message": "Säg ett TTS-meddelande", + "speak": "Tala", + "broadcast_address": "Sändningsadress", + "broadcast_port_description": "Port dit det magiska paketet ska skickas.", + "broadcast_port": "Port för sändning", + "send_magic_packet": "Skicka magiskt paket", + "set_datetime_description": "Ställer in datum och/eller tid.", + "the_target_date": "Datum att ställa in", + "datetime_description": "Datum och tid att ställa in", + "the_target_time": "Tid att ställa in", "bridge_identifier": "Identifiering av brygga", "configuration_payload": "Nyttolast för konfiguration", "entity_description": "Representerar en specifik enhetsändpunkt i deCONZ.", @@ -3138,22 +3205,25 @@ "device_refresh_description": "Uppdaterar tillgängliga enheter från deCONZ.", "device_refresh": "Uppdatering av enhet", "remove_orphaned_entries": "Ta bort övergivna enheter", - "closes_a_valve": "Stänger en ventil.", - "opens_a_valve": "Öppnar en ventil.", - "set_valve_position_description": "Flyttar en ventil till en specifik position.", - "stops_the_valve_movement": "Stoppar ventilens rörelse.", - "toggles_a_valve_open_closed": "Öppnar/stänger en ventil.", - "add_event_description": "Lägger till en ny kalenderhändelse.", - "calendar_id_description": "ID för den kalender du vill ha.", - "calendar_id": "Kalender-ID", - "description_description": "Beskrivning av händelsen. Valfritt.", - "summary_description": "Fungerar som titel för händelsen.", - "creates_event": "Skapar händelse", - "ptz_move_description": "Flytta kameran med en viss hastighet.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Ställer in datum och/eller tid.", - "the_target_date": "Datum att ställa in", - "datetime_description": "Datum och tid att ställa in", - "the_target_time": "Tid att ställa in" + "removes_a_group": "Tar bort en grupp.", + "object_id": "Objekt-ID", + "creates_updates_a_user_group": "Skapar/uppdaterar en användargrupp.", + "add_entities": "Lägga till entiteter", + "icon_description": "Namn på ikonen för gruppen.", + "name_of_the_group": "Namn på gruppen.", + "remove_entities": "Ta bort entiteter", + "cancels_a_timer": "Avbryter en timer.", + "changes_a_timer": "Ändrar en timer.", + "finishes_a_timer": "Avslutar en timer.", + "pauses_a_timer": "Pausar en timer.", + "starts_a_timer": "Startar en timer.", + "duration_description": "Den tid som timern behöver för att avsluta. [valfritt].", + "set_default_level_description": "Ställer in standardloggnivån för integrationer.", + "level_description": "Ställer in standardloggnivån för alla integrationer.", + "set_default_level": "Ställ in standardnivå", + "set_level": "Ställ in nivå", + "clear_skipped_update": "Ta bort ignorerad uppdatering", + "install_update": "Installera uppdatering", + "skip_description": "Markerar den aktuella tillgängliga uppdateringen som överhoppad.", + "skip_update": "Hoppa över uppdatering" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ta/ta.json b/packages/core/src/hooks/useLocale/locales/ta/ta.json index 73ba57e..aa0f115 100644 --- a/packages/core/src/hooks/useLocale/locales/ta/ta.json +++ b/packages/core/src/hooks/useLocale/locales/ta/ta.json @@ -106,7 +106,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Browse media", @@ -185,6 +185,7 @@ "loading": "Loading…", "refresh": "Refresh", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplicate", "remove": "Remove", @@ -227,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -240,6 +244,7 @@ "date_and_time": "Date and time", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -278,6 +283,7 @@ "was_opened": "was opened", "was_closed": "was closed", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "was unlocked", "was_locked": "was locked", @@ -327,10 +333,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -340,7 +349,7 @@ "no_theme": "No theme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "No user", "add_user": "Add user", @@ -376,7 +385,6 @@ "unassigned_areas": "Unassigned areas", "failed_to_create_area": "Failed to create area.", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -454,6 +462,9 @@ "last_month": "Last month", "this_year": "This year", "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Never", "history_integration_disabled": "History integration disabled", "loading_state_history": "Loading state history…", @@ -485,6 +496,10 @@ "filtering_by": "Filtering by", "number_hidden": "{number} hidden", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Gender", "male": "Male", @@ -737,7 +752,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -820,7 +835,7 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Interrupts all running automations and scripts.", @@ -994,7 +1009,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "App configuration", "sidebar_toggle": "Sidebar toggle", - "done": "Done", "hide_panel": "Hide panel", "show_panel": "Show panel", "show_more_information": "Show more information", @@ -1088,9 +1102,11 @@ "view_configuration": "View configuration", "name_view_configuration": "{name} View Configuration", "add_view": "Add view", + "background_title": "Add a background to the view", "edit_view": "Edit view", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Background", "badges": "Badges", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1121,6 +1137,8 @@ "increase_card_position": "Increase card position", "more_options": "More options", "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "Dashboard", @@ -1133,8 +1151,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "Add to dashboard", @@ -1344,177 +1361,121 @@ "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "Compare data", "reload_ui": "Reload UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1535,14 +1496,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1558,34 +1554,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1595,6 +1643,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1652,23 +1703,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1682,6 +1736,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1690,6 +1745,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1697,79 +1753,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1791,77 +1855,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1873,15 +1871,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1904,62 +1960,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1975,39 +2050,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2031,8 +2107,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2040,10 +2117,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2056,82 +2157,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2214,6 +2283,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2227,106 +2313,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2334,8 +2351,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2355,7 +2374,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2374,12 +2503,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2424,6 +2567,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2462,137 +2606,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2723,16 +2800,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2767,122 +2939,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2890,6 +3004,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2901,10 +3131,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2916,75 +3143,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -2992,187 +3169,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3181,23 +3245,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/te/te.json b/packages/core/src/hooks/useLocale/locales/te/te.json index 1046f4a..5a2541c 100644 --- a/packages/core/src/hooks/useLocale/locales/te/te.json +++ b/packages/core/src/hooks/useLocale/locales/te/te.json @@ -106,7 +106,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Browse media", @@ -185,6 +185,7 @@ "loading": "Loading…", "refresh": "Refresh", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplicate", "remove": "Remove", @@ -227,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -240,6 +244,7 @@ "date_and_time": "Date and time", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -278,6 +283,7 @@ "was_opened": "was opened", "was_closed": "was closed", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "was unlocked", "was_locked": "was locked", @@ -327,10 +333,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -340,7 +349,7 @@ "no_theme": "No theme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "No user", "add_user": "Add user", @@ -376,7 +385,6 @@ "unassigned_areas": "Unassigned areas", "failed_to_create_area": "Failed to create area.", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -454,6 +462,9 @@ "last_month": "Last month", "this_year": "This year", "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Never", "history_integration_disabled": "History integration disabled", "loading_state_history": "Loading state history…", @@ -485,6 +496,10 @@ "filtering_by": "Filtering by", "number_hidden": "{number} hidden", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Gender", "male": "Male", @@ -737,7 +752,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -820,7 +835,7 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Interrupts all running automations and scripts.", @@ -994,7 +1009,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "App configuration", "sidebar_toggle": "Sidebar toggle", - "done": "Done", "hide_panel": "Hide panel", "show_panel": "Show panel", "show_more_information": "Show more information", @@ -1088,9 +1102,11 @@ "view_configuration": "View configuration", "name_view_configuration": "{name} View Configuration", "add_view": "Add view", + "background_title": "Add a background to the view", "edit_view": "Edit view", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Background", "badges": "Badges", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1121,6 +1137,8 @@ "increase_card_position": "Increase card position", "more_options": "More options", "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "Dashboard", @@ -1133,8 +1151,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "Add to dashboard", @@ -1344,177 +1361,121 @@ "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "Compare data", "reload_ui": "Reload UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1535,14 +1496,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1558,34 +1554,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1595,6 +1643,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1652,23 +1703,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1682,6 +1736,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1690,6 +1745,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1697,79 +1753,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1791,77 +1855,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1873,15 +1871,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1904,62 +1960,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1975,39 +2050,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2031,8 +2107,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2040,10 +2117,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2056,82 +2157,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2214,6 +2283,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2227,106 +2313,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2334,8 +2351,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2355,7 +2374,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2374,12 +2503,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2424,6 +2567,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2462,137 +2606,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2723,16 +2800,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2767,122 +2939,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2890,6 +3004,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2901,10 +3131,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2916,75 +3143,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -2992,187 +3169,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3181,23 +3245,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/th/th.json b/packages/core/src/hooks/useLocale/locales/th/th.json index 4376dc0..8af8050 100644 --- a/packages/core/src/hooks/useLocale/locales/th/th.json +++ b/packages/core/src/hooks/useLocale/locales/th/th.json @@ -106,7 +106,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Browse media", @@ -185,6 +185,7 @@ "loading": "Loading…", "refresh": "Refresh", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplicate", "remove": "Remove", @@ -227,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -240,6 +244,7 @@ "date_and_time": "Date and time", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -278,6 +283,7 @@ "was_opened": "was opened", "was_closed": "was closed", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "was unlocked", "was_locked": "was locked", @@ -327,10 +333,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "ประเทศ", @@ -340,7 +349,7 @@ "no_theme": "No theme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "No user", "add_user": "Add user", @@ -377,7 +386,6 @@ "failed_to_create_area": "Failed to create area.", "ui_components_area_picker_add_dialog_name": "ชื่อ", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -446,7 +454,7 @@ "start_date": "Start date", "end_date": "End date", "select_time_period": "เลือกช่วงเวลา", - "today": "วันนี้", + "today": "Today", "yesterday": "Yesterday", "this_week": "This week", "last_week": "Last week", @@ -455,6 +463,9 @@ "last_month": "Last month", "this_year": "This year", "last_year": "Last year", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Never", "history_integration_disabled": "History integration disabled", "loading_state_history": "กำลังโหลดประวัติการทำงาน…", @@ -486,6 +497,10 @@ "filtering_by": "Filtering by", "number_hidden": "{number} hidden", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Gender", "male": "Male", @@ -737,7 +752,7 @@ "default_code": "รหัสเริ่มต้น", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -820,7 +835,7 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Interrupts all running automations and scripts.", @@ -994,7 +1009,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "การกำหนดค่าแอพ", "sidebar_toggle": "Sidebar toggle", - "done": "Done", "hide_panel": "ซ่อนแผง", "show_panel": "แสดงแผง", "show_more_information": "แสดงข้อมูลเพิ่มเติม", @@ -1088,9 +1102,11 @@ "view_configuration": "ดูการกำหนดค่า", "name_view_configuration": "{name} View Configuration", "add_view": "เพิ่มมุมมอง", + "background_title": "Add a background to the view", "edit_view": "แก้ไขมุมมอง", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Background", "badges": "Badges", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1120,6 +1136,8 @@ "increase_card_position": "Increase card position", "more_options": "More options", "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "แดชบอร์ด", @@ -1132,8 +1150,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "Add to dashboard", @@ -1154,8 +1171,8 @@ "condition_did_not_pass": "เงื่อนไขไม่ผ่าน", "invalid_configuration": "การตั้งค่าไม่ถูกต้อง", "entity_numeric_state": "Entity numeric state", - "above": "สูงกว่า", - "below": "ต่ำกว่า", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "ขนาดหน้าจอ", "mobile": "Mobile", @@ -1343,177 +1360,122 @@ "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "เปรียบเทียบข้อมูล", + "ui_panel_lovelace_components_energy_period_selector_today": "วันนี้", "reload_ui": "โหลดส่วนแสดงผล Lovelace ใหม่", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "โซน", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1534,15 +1496,50 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", "screensaver_timer": "Screensaver timer", @@ -1557,34 +1554,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1594,6 +1643,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1651,23 +1703,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1681,6 +1736,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1689,6 +1745,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1696,79 +1753,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1790,77 +1855,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1872,15 +1871,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1903,62 +1960,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1974,39 +2050,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", "unlock_the_device": "Unlock the device", "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2030,8 +2107,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2039,10 +2117,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2055,82 +2157,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "มีชื่อนี้อยู่แล้ว", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "มีชื่อนี้อยู่แล้ว", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2213,6 +2283,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2226,106 +2313,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2333,8 +2351,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2354,7 +2374,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2373,12 +2503,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2423,6 +2567,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2461,137 +2606,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "ผลิตภัณฑ์", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2722,16 +2800,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "ผลิตภัณฑ์", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2766,122 +2939,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2889,6 +3004,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2900,10 +3131,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2915,75 +3143,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -2991,187 +3169,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3180,23 +3245,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/tr/tr.json b/packages/core/src/hooks/useLocale/locales/tr/tr.json index ad23405..c30e0c7 100644 --- a/packages/core/src/hooks/useLocale/locales/tr/tr.json +++ b/packages/core/src/hooks/useLocale/locales/tr/tr.json @@ -104,8 +104,9 @@ "on": "Açık", "open_door": "Açık kapı", "really_open": "Gerçekten açık mı?", - "door_open": "Kapı açık", - "source": "Kaynak", + "done": "Bitti", + "ui_card_lock_open_door_success": "Kapı açık", + "from": "Kaynak", "sound_mode": "Ses modu", "browse_media": "Medyaya göz at", "play": "Oynat", @@ -182,6 +183,7 @@ "loading": "Yükleniyor …", "refresh": "Yenile", "delete": "Sil", + "delete_all": "Tümünü sil", "download": "İndir", "duplicate": "Yineleme", "remove": "Kaldır", @@ -221,6 +223,9 @@ "media_content_type": "Medya içerik türü", "upload_failed": "Yükleme başarısız", "unknown_file": "Bilinmeyen dosya", + "select_image": "Resim seçin", + "upload_picture": "Resmi yükle", + "image_url": "Yerel yol veya web URL'si", "latitude": "Enlem", "longitude": "Boylam", "radius": "Yarıçap", @@ -233,6 +238,7 @@ "date_and_time": "Tarih ve zaman", "duration": "Süre", "entity": "Varlık", + "floor": "Kat", "icon": "Simge", "location": "Konum", "number": "Numara", @@ -268,7 +274,7 @@ "was_normal": "normaldi", "was_connected": "bağlandı", "was_disconnected": "bağlantısı kesildi", - "turned_on": "açıldı", + "is_opened": "açıldı", "was_closed": "kapatıldı", "is_opening": "açılıyor", "is_closing": "kapanıyor", @@ -318,10 +324,13 @@ "sort_by_sortcolumn": "{sortColumn} a göre sırala", "group_by_groupcolumn": "{groupColumn} a göre gruplandır", "don_t_group": "Gruplandırma", + "collapse_all": "Tümünü daralt", + "expand_all": "Tümünü genişlet", "selected_selected": "Seçildi {selected}", "close_selection_mode": "Seçim modunu kapat", "select_all": "Tümünü seç", "select_none": "Hiçbirini seçme", + "customize_table": "Customize table", "conversation_agent": "Konuşma temsilcisi", "none": "Hiçbiri", "country": "Ülke", @@ -331,7 +340,7 @@ "no_theme": "Tema yok", "language": "Dil", "no_languages_available": "Kullanılabilir dil yok", - "text_to_speech": "Metinden sese", + "text_to_speech": "Metinden konuşma", "voice": "Ses", "no_user": "Kullanıcı yok", "add_user": "Kullanıcı Ekle", @@ -369,7 +378,6 @@ "ui_components_area_picker_add_dialog_text": "Yeni alanın adını girin.", "ui_components_area_picker_add_dialog_title": "Yeni alan ekle", "show_floors": "Katları göster", - "floor": "Kat", "add_new_floor_name": "Yeni kat ekle '' {name} ''", "add_new_floor": "Yeni kat ekle…", "floor_picker_no_floors": "Hiç katınız yok", @@ -447,6 +455,9 @@ "last_month": "Geçen ay", "this_year": "Bu yıl", "last_year": "Geçen yıl", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Asla", "history_integration_disabled": "Geçmiş entegrasyonu devre dışı bırakıldı", "loading_state_history": "Durum geçmişi yükleniyor…", @@ -476,7 +487,11 @@ "no_data": "Veri yok", "filtering_by": "Filtreleme ölçütü", "number_hidden": "{number} gizlendi", - "ungrouped": "Ungrouped", + "ungrouped": "Gruplandırılmamış", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "İleti", "gender": "Cinsiyet", "male": "Erkek", @@ -566,7 +581,6 @@ "fri": "Cuma", "sat": "Cumartesi", "after": "Sonra", - "done": "Bitti", "end_after": "Sonra bitir", "ocurrences": "olaylar", "every": "her", @@ -576,7 +590,7 @@ "week": "Hafta", "weekday": "hafta içi", "until": "kadar", - "for": "için", + "to": "için", "in": "İçinde", "on_the": "üzerinde", "or": "Veya", @@ -722,7 +736,7 @@ "default_code": "Varsayılan kod", "editor_default_code_error": "Kod, kod formatıyla eşleşmiyor", "entity_id": "Varlık kimliği", - "unit_of_measurement": "Ölçü birimi", + "unit_of_measurement": "Ölçü Birimi", "precipitation_unit": "Yağış birimi", "display_precision": "Ekran hassasiyeti", "default_value": "Varsayılan ({value})", @@ -802,7 +816,7 @@ "restart_home_assistant": "Home Assistant yeniden başlatılsın mı?", "advanced_options": "Advanced options", "quick_reload": "Hızlı yeniden yükleme", - "reload_description": "Yardımcıları YAML yapılandırmasından yeniden yükler.", + "reload_description": "YAML yapılandırmasından bölgeleri yeniden yükler.", "reloading_configuration": "Yapılandırma yeniden yükleniyor", "failed_to_reload_configuration": "Konfigürasyon yeniden yüklenemedi", "restart_description": "Çalışan tüm otomasyonları ve senaryoları kesintiye uğratır.", @@ -1066,9 +1080,11 @@ "view_configuration": "Konfigürasyonu görüntüle", "name_view_configuration": "{name} Yapılandırmayı Görüntüle", "add_view": "Görünüm ekle", + "background_title": "Görünüme bir arka plan ekleyin", "edit_view": "Görünümü düzenle", "move_view_left": "Görünümü sola taşı", "move_view_right": "Görünümü sağa taşı", + "background": "Arka plan", "badges": "Rozetler", "view_type": "Kullanıcıyı görüntüle", "masonry_default": "Tek (varsayılan)", @@ -1101,7 +1117,10 @@ "increase_card_position": "Kart konumunu artır", "more_options": "Diğer seçenekler", "search_cards": "Arama kartları", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "{name} görünümünüze hangi kartı eklemek istersiniz?", + "ui_panel_lovelace_editor_edit_card_tab_config": "Yapılandırma", "move_card_error_title": "Kartı taşımak imkansız", "choose_a_view": "Bir görünüm seçin", "dashboard": "Gösterge Paneli", @@ -1119,8 +1138,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} ve tüm kartları silinecek.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} silinecek.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Bu bölüm", - "edit_name": "İsmi düzenle", - "add_name": "İsim ekle", + "edit_section": "Bölümü düzenle", "suggest_card_header": "Sizin için bir öneri oluşturduk", "pick_different_card": "Farklı kart seç", "add_to_dashboard": "Kontrol paneline ekle", @@ -1230,7 +1248,7 @@ "appearance": "Görünüş", "theme_mode": "Tema modu.", "dark": "Koyu", - "default_zoom": "Varsayılan yakınlaştırma", + "default_zoom": "Varsayılan Yakınlaştırma", "markdown": "İndirim", "content": "İçerik", "media_control": "Medya kontrolü", @@ -1269,38 +1287,38 @@ "cover_tilt": "Kapak eğimi", "cover_tilt_position": "Kapak eğim konumu", "alarm_modes": "Alarm modları", - "customize_alarm_modes": "Customize alarm modes", + "customize_alarm_modes": "Alarm modlarını özelleştirin", "light_brightness": "Işık parlaklığı", "light_color_temperature": "Işık renk sıcaklığı", - "lock_commands": "Lock commands", - "lock_open_door": "Lock open door", + "lock_commands": "Komutları kilitleme", + "lock_open_door": "Açık kapıyı kilitle", "vacuum_commands": "Robot süpürge komutları", "commands": "Komutlar", "climate_fan_modes": "İklim fan modları", "style": "Stil", "dropdown": "Açılır", "icons": "Simgeler", - "customize_fan_modes": "Customize fan modes", + "customize_fan_modes": "Fan modlarını özelleştirin", "fan_modes": "Fan modları", "climate_swing_modes": "Klima salınım modları", "swing_modes": "Salınım modları", - "customize_swing_modes": "Customize swing modes", + "customize_swing_modes": "Salınım modlarını özelleştirin", "climate_hvac_modes": "İklim HVAC modları", "hvac_modes": "HVAC modları", - "customize_hvac_modes": "Customize HVAC modes", + "customize_hvac_modes": "HVAC modlarını özelleştirin", "climate_preset_modes": "İklim ön ayar modları", - "customize_preset_modes": "Customize preset modes", + "customize_preset_modes": "Önceden ayarlanmış modları özelleştirin", "preset_modes": "Önceden ayarlanmış modlar", "fan_preset_modes": "Fan ön ayar modları", "humidifier_toggle": "Nemlendirici geçişi", "humidifier_modes": "Nemlendirici modları", - "customize_modes": "Customize modes", + "customize_modes": "Modları özelleştirin", "select_options": "Seçenekleri seçin", - "customize_options": "Customize options", + "customize_options": "Seçenekleri özelleştirin", "numeric_input": "Sayısal giriş", "water_heater_operation_modes": "Su ısıtıcı çalışma modları", "operation_modes": "Çalışma modları", - "customize_operation_modes": "Customize operation modes", + "customize_operation_modes": "Çalışma modlarını özelleştirin", "update_actions": "Eylemleri güncelle", "backup": "Yedekleme", "ask": "Sor", @@ -1325,181 +1343,130 @@ "ui_panel_lovelace_editor_color_picker_colors_light_green": "Açık Yeşil", "lawn_green": "Çim yeşili", "ui_panel_lovelace_editor_color_picker_colors_primary": "Birincil", + "ui_panel_lovelace_editor_edit_section_title_input_label": "İsim", + "ui_panel_lovelace_editor_edit_section_title_title": "İsmi düzenle", + "ui_panel_lovelace_editor_edit_section_title_title_new": "İsim ekle", "warning_attribute_not_found": "Nitelik {attribute} {entity} içinde mevcut değil", "entity_not_available_entity": "Varlık mevcut değil: {entity}", "entity_is_non_numeric_entity": "Varlık sayısal değil: {entity}", "warning_entity_unavailable": "Varlık şu anda kullanılamıyor: {entity}", "invalid_timestamp": "Geçersiz zaman damgası", "invalid_display_format": "Geçersiz görüntü biçimi", + "now": "Şimdi", "compare_data": "Verileri karşılaştırın", "reload_ui": "Arayüzü yeniden yükle", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "key": "Anahtar", - "camera": "Kamera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Grup", - "timer": "Zamanlayıcı", - "zone": "Bölge", - "schedule": "Zamanlama", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Panjur", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Doğru/Yanlış giriniz", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Konuşma", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Panjur", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Giriş düğmesi", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm Kontrol Paneli", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Cihaz izleyici", + "trace": "Trace", + "stream": "Stream", + "person": "Kişi", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Doğru/Yanlış giriniz", + "camera": "Kamera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Giriş Tarih/Saat", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Tanılama", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Otomasyon", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Vana", + "assist_pipeline": "Yardımcı hat", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Senaryo", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "İklimlendirme", + "conversation": "Konuşma", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Dosya boyutu", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Kalıcı Bildirim", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Uygulama Kimlik Bilgileri", - "local_calendar": "Yerel Takvim", - "trace": "Trace", - "input_number": "Numara girişi", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Metin giriniz", - "rpi_power_title": "Raspberry Pi Güç Kaynağı Denetleyicisi", - "weather": "Hava", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Grup", + "auth": "Auth", + "thread": "Thread", + "zone": "Bölge", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Zamanlama", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Kalıcı Bildirim", + "remote": "Uzaktan Kumanda", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Güç Kaynağı Denetleyicisi", + "script": "Senaryo", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "key": "Anahtar", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Cihaz izleyici", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Hava", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Uzaktan Kumanda", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Numara girişi", + "binary_sensor": "İkili sensör", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Girdi seçiniz", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Olay", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Olay", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "İklimlendirme", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Sayaç", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobil uygulama", - "diagnostics": "Tanılama", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Kişi", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Girdi seçiniz", + "deconz": "deCONZ", + "timer": "Zamanlayıcı", + "application_credentials": "Uygulama Kimlik Bilgileri", "logger": "Günlük Tutan", - "assist_pipeline": "Yardımcı hat", - "automation": "Otomasyon", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Giriş düğmesi", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Sayaç", - "binary_sensor": "İkili sensör", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Vana", - "os_agent_version": "İşletim Sistemi Aracısı sürümü", - "apparmor_version": "Apparmor versiyonu", - "cpu_percent": "CPU yüzdesi", - "disk_free": "Disk boş", - "disk_total": "Disk toplamı", - "disk_used": "Kullanılan disk", - "memory_percent": "Bellek yüzdesi", - "version": "Sürüm", - "newest_version": "En yeni sürüm", + "local_calendar": "Yerel Takvim", "synchronize_devices": "Cihazları senkronize edin", - "device_name_current": "{device_name} mevcut", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} mevcut tüketimi", - "today_s_consumption": "Bugünkü tüketim", - "device_name_today_s_consumption": "{device_name} bugünkü tüketim", - "total_consumption": "Toplam tüketim", - "device_name_total_consumption": "{device_name} toplam tüketimi", - "device_name_voltage": "{device_name} voltajı", - "led": "LED", - "bytes_received": "Alınan baytlar", - "server_country": "Sunucu ülkesi", - "server_id": "Sunucu Kimliği", - "server_name": "Sunucu adı", - "ping": "Ping", - "upload": "Yükle", - "bytes_sent": "Gönderilen baytlar", - "air_quality_index": "Hava kalitesi endeksi", - "illuminance": "Aydınlık", - "noise": "Gürültü", - "overload": "Aşırı yükleme", - "voltage": "Voltaj", - "estimated_distance": "Tahmini mesafe", - "vendor": "Satıcı", - "assist_in_progress": "Devam eden asistan", - "auto_gain": "Otomatik kazanç", - "mic_volume": "Mikrofon sesi", - "noise_suppression": "Gürültü azaltma", - "noise_suppression_level": "Gürültü bastırma seviyesi", - "off": "Kapalı", - "preferred": "Tercih Edilen", - "mute": "Sessiz", - "satellite_enabled": "Uydu etkin", - "ding": "Ding", - "doorbell_volume": "Kapı zili ses seviyesi", - "last_activity": "Son etkinlik", - "last_ding": "Son ding", - "last_motion": "Son hareket", - "voice_volume": "Ses seviyesi", - "wi_fi_signal_category": "Wi-Fi sinyal kategorisi", - "wi_fi_signal_strength": "WiFi sinyal gücü", - "battery_level": "Pil seviyesi", - "size": "Boyut", - "size_in_bytes": "Bayt cinsinden boyut", - "finished_speaking_detection": "Bitmiş konuşma tespiti", - "aggressive": "Agresif", - "default": "Varsayılan", - "relaxed": "Rahat", - "call_active": "Aktif Çağrı", + "last_scanned_by_device_id_name": "En son cihaz kimliğine göre tarandı", + "tag_id": "Etiket Kimliği", "heavy": "Ağır", "mild": "Hafif", "button_down": "Düğmeyi kapat", @@ -1515,17 +1482,53 @@ "not_completed": "Tamamlanmadı", "pending": "Beklemede", "checking": "Kontrol ediliyor", + "off": "Kapalı", "closing": "Kapanıyor", "failure": "Başarısız", "opened": "Açıldı", - "device_admin": "Cihaz yöneticisi", - "kiosk_mode": "Kiosk modu", - "plugged_in": "Takılı", - "load_start_url": "Başlangıç URL'sini yükle", - "restart_browser": "Tarayıcıyı yeniden başlatın", - "restart_device": "Cihazı yeniden başlatın", - "send_to_background": "Arka plana gönder", - "bring_to_foreground": "Ön plana çıkarın", + "battery_level": "Pil seviyesi", + "os_agent_version": "İşletim Sistemi Aracısı sürümü", + "apparmor_version": "Apparmor versiyonu", + "cpu_percent": "CPU yüzdesi", + "disk_free": "Disk boş", + "disk_total": "Disk toplamı", + "disk_used": "Kullanılan disk", + "memory_percent": "Bellek yüzdesi", + "version": "Sürüm", + "newest_version": "En yeni sürüm", + "next_dawn": "Sonraki şafak", + "next_dusk": "Sonraki alacakaranlık", + "next_midnight": "Sonraki gece yarısı", + "next_noon": "Sonraki öğlen", + "next_rising": "Sonraki yükselen", + "next_setting": "Sonraki ayar", + "solar_azimuth": "Güneş azimutu", + "solar_elevation": "Güneş yüksekliği", + "solar_rising": "Güneş yükseliyor", + "compressor_energy_consumption": "Kompresör enerji tüketimi", + "compressor_estimated_power_consumption": "Kompresör tahmini güç tüketimi", + "compressor_frequency": "Kompresör frekansı", + "cool_energy_consumption": "Soğuk enerji tüketimi", + "energy_consumption": "Enerji tüketimi", + "heat_energy_consumption": "Isı enerjisi tüketimi", + "inside_temperature": "İç sıcaklık", + "outside_temperature": "Dış sıcaklık", + "assist_in_progress": "Devam eden asistan", + "preferred": "Tercih Edilen", + "finished_speaking_detection": "Bitmiş konuşma tespiti", + "aggressive": "Agresif", + "default": "Varsayılan", + "relaxed": "Rahat", + "device_admin": "Cihaz yöneticisi", + "kiosk_mode": "Kiosk modu", + "plugged_in": "Takılı", + "load_start_url": "Başlangıç URL'sini yükle", + "restart_browser": "Tarayıcıyı yeniden başlatın", + "restart_device": "Cihazı yeniden başlatın", + "send_to_background": "Arka plana gönder", + "bring_to_foreground": "Ön plana çıkarın", + "screenshot": "Ekran görüntüsü", + "overlay_message": "Yer paylaşımı mesajı", "screen_brightness": "Ekran parlaklığı", "screen_off_timer": "Ekran kapatma zamanlayıcısı", "screensaver_brightness": "Ekran koruyucu parlaklığı", @@ -1541,34 +1544,83 @@ "maintenance_mode": "Bakım Modu", "motion_detection": "Hareket algılandı", "screensaver": "Ekran koruyucu", - "compressor_energy_consumption": "Kompresör enerji tüketimi", - "compressor_estimated_power_consumption": "Kompresör tahmini güç tüketimi", - "compressor_frequency": "Kompresör frekansı", - "cool_energy_consumption": "Soğuk enerji tüketimi", - "energy_consumption": "Enerji tüketimi", - "heat_energy_consumption": "Isı enerjisi tüketimi", - "inside_temperature": "İç sıcaklık", - "outside_temperature": "Dış sıcaklık", - "next_dawn": "Sonraki şafak", - "next_dusk": "Sonraki alacakaranlık", - "next_midnight": "Sonraki gece yarısı", - "next_noon": "Sonraki öğlen", - "next_rising": "Sonraki yükselen", - "next_setting": "Sonraki ayar", - "solar_azimuth": "Güneş azimutu", - "solar_elevation": "Güneş yüksekliği", - "solar_rising": "Güneş yükseliyor", - "calibration": "Kalibrasyon", - "auto_lock_paused": "Otomatik kilit duraklatıldı", - "timeout": "Zaman aşımı", - "unclosed_alarm": "Kapatılmamış alarm", - "unlocked_alarm": "Kilitlenmemiş alarm", - "bluetooth_signal": "Bluetooth sinyali", - "light_level": "Işık seviyesi", - "wi_fi_signal": "WiFi sinyali", - "momentary": "Anlık", - "pull_retract": "Çek/Geri Çek", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Güncelleme mevcut", + "dry": "Kuru", + "wet": "Islak", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Bugünkü tüketim", + "total_consumption": "Toplam tüketim", + "device_name_current": "{device_name} mevcut", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} mevcut tüketimi", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Sinyal gücü", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} bugünkü tüketim", + "device_name_total_consumption": "{device_name} toplam tüketimi", + "voltage": "Voltaj", + "device_name_voltage": "{device_name} voltajı", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "İşlem {process}", + "disk_free_mount_point": "Boş disk {mount_point}", + "disk_use_mount_point": "Disk kullanımı {mount_point}", + "ipv_address_ip_address": "IPv6 adresi {ip_address}", + "last_boot": "Son önyükleme", + "load_m": "Yük (5m)", + "memory_free": "Boş bellek", + "memory_use": "Hafıza kullanımı", + "network_in_interface": "{interface} 'deki ağ", + "network_out_interface": "Ağ çıkışı {interface}", + "packets_in_interface": "{interface} deki paketler", + "packets_out_interface": "Paketler {interface}", + "processor_temperature": "İşlemci sıcaklığı", + "processor_use": "İşlemci kullanımı", + "swap_free": "Ücretsiz takas", + "swap_use": "Takas kullanımı", + "network_throughput_in_interface": "{interface} de ağ verimi", + "network_throughput_out_interface": "Ağ çıkışı çıkışı {interface}", + "estimated_distance": "Tahmini mesafe", + "vendor": "Satıcı", + "air_quality_index": "Hava kalitesi endeksi", + "illuminance": "Aydınlık", + "noise": "Gürültü", + "overload": "Aşırı yükleme", + "size": "Boyut", + "size_in_bytes": "Bayt cinsinden boyut", + "bytes_received": "Alınan baytlar", + "server_country": "Sunucu ülkesi", + "server_id": "Sunucu Kimliği", + "server_name": "Sunucu adı", + "ping": "Ping", + "upload": "Yükle", + "bytes_sent": "Gönderilen baytlar", "animal": "Hayvan", + "detected": "Algılandı", "animal_lens": "Hayvan merceği 1", "face": "Yüz", "face_lens": "Yüz merceği 1", @@ -1578,6 +1630,9 @@ "person_lens": "Kişi merceği 1", "pet": "Evcil hayvan", "pet_lens": "Evcil hayvan merceği 1", + "sleep_status": "Uyku durumu", + "awake": "Uyanık", + "sleeping": "Uyuyor", "vehicle": "Araç", "vehicle_lens": "Araç merceği 1", "visitor": "Ziyaretçi", @@ -1643,15 +1698,16 @@ "pan_tilt_first": "Önce kaydırma/eğme", "day_night_mode": "Gündüz gece modu", "black_white": "Siyah & beyaz", + "doorbell_led": "Kapı zili LED'i", + "always_on": "Her zaman açık", + "state_alwaysonatnight": "Otomatik ve geceleri her zaman açık", + "stay_off": "Kapalı kalmak", "floodlight_mode": "Projektör ışığı modu", "adaptive": "Uyarlanabilir", "auto_adaptive": "Otomatik uyarlanabilir", "on_at_night": "Gece açık", "play_quick_reply_message": "Hızlı yanıt mesajını oynat", "ptz_preset": "PTZ ön ayarı", - "always_on": "Her zaman açık", - "state_alwaysonatnight": "Otomatik ve geceleri her zaman açık", - "stay_off": "Kapalı kalmak", "battery_percentage": "Batarya yüzdesi", "battery_state": "Pil durumu", "charge_complete": "Şarj tamamlandı", @@ -1665,6 +1721,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} depolama alanı", "ptz_pan_position": "PTZ kaydırma konumu", "sd_hdd_index_storage": "SD {hdd_index} depolama", + "wi_fi_signal": "WiFi sinyali", "auto_focus": "Otomatik odaklama", "auto_tracking": "Otomatik izleme", "buzzer_on_event": "Etkinlikle ilgili zil sesi", @@ -1673,92 +1730,101 @@ "ftp_upload": "FTP yükleme", "guard_return": "Koruma dönüşü", "hdr": "HDR", + "manual_record": "Manuel kayıt", "pir_enabled": "PIR etkin", "pir_reduce_false_alarm": "PIR yanlış alarmı azaltır", "ptz_patrol": "PTZ devriyesi", "record": "Kayıt", "record_audio": "Ses kaydı", "siren_on_event": "Etkinlikte siren", - "process_process": "İşlem {process}", - "disk_free_mount_point": "Boş disk {mount_point}", - "disk_use_mount_point": "Disk kullanımı {mount_point}", - "ipv_address_ip_address": "IPv6 adresi {ip_address}", - "last_boot": "Son önyükleme", - "load_m": "Yük (5m)", - "memory_free": "Boş bellek", - "memory_use": "Hafıza kullanımı", - "network_in_interface": "{interface} 'deki ağ", - "network_out_interface": "Ağ çıkışı {interface}", - "packets_in_interface": "{interface} deki paketler", - "packets_out_interface": "Paketler {interface}", - "processor_temperature": "İşlemci sıcaklığı", - "processor_use": "İşlemci kullanımı", - "swap_free": "Ücretsiz takas", - "swap_use": "Takas kullanımı", - "network_throughput_in_interface": "{interface} de ağ verimi", - "network_throughput_out_interface": "Ağ çıkışı çıkışı {interface}", - "device_trackers": "Takip cihazları", - "gps_accuracy": "GPS doğruluğu", + "call_active": "Aktif Çağrı", + "mute": "Sessiz", + "auto_gain": "Otomatik kazanç", + "mic_volume": "Mikrofon sesi", + "noise_suppression": "Gürültü azaltma", + "noise_suppression_level": "Gürültü bastırma seviyesi", + "satellite_enabled": "Uydu etkin", + "calibration": "Kalibrasyon", + "auto_lock_paused": "Otomatik kilit duraklatıldı", + "timeout": "Zaman aşımı", + "unclosed_alarm": "Kapatılmamış alarm", + "unlocked_alarm": "Kilitlenmemiş alarm", + "bluetooth_signal": "Bluetooth sinyali", + "light_level": "Işık seviyesi", + "momentary": "Anlık", + "pull_retract": "Çek/Geri Çek", + "ding": "Ding", + "doorbell_volume": "Kapı zili ses seviyesi", + "last_activity": "Son etkinlik", + "last_ding": "Son ding", + "last_motion": "Son hareket", + "voice_volume": "Ses seviyesi", + "wi_fi_signal_category": "Wi-Fi sinyal kategorisi", + "wi_fi_signal_strength": "WiFi sinyal gücü", + "box": "Kutu", + "step": "Adım", + "apparent_power": "Görünür güç", + "atmospheric_pressure": "Atmosferik basınç", + "carbon_dioxide": "Karbondioksit", + "data_rate": "Veri hızı", + "distance": "Mesafe", + "stored_energy": "Depolanmış enerji", + "frequency": "Frekans", + "irradiance": "Işınım", + "nitrogen_dioxide": "Azot dioksit", + "nitrogen_monoxide": "Azot monoksit", + "nitrous_oxide": "Azot oksit", + "ozone": "Ozon", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Güç faktörü", + "precipitation_intensity": "Yağış yoğunluğu", + "pressure": "Basınç", + "reactive_power": "Reaktif güç", + "sound_pressure": "Ses basıncı", + "speed": "Hız", + "sulphur_dioxide": "Kükürt dioksit", + "vocs": "VOC'lar", + "volume_flow_rate": "Hacim akış hızı", + "stored_volume": "Kaydedilmiş seviye", + "weight": "Ağırlık", + "available_tones": "Mevcut tonlar", + "end_time": "Bitiş zamanı", + "start_time": "Başlangıç zamanı", + "managed_via_ui": "Kullanıcı arabirimi aracılığıyla yönetilir", + "next_event": "Sonraki etkinlik", + "paused": "Durduruldu", "running_automations": "Çalışan otomasyonlar", - "max_running_scripts": "Maksimum çalışan senaryolar", + "id": "ID", + "max_running_automations": "Maksimum çalışan otomasyonlar", "run_mode": "Çalışma modu", "parallel": "Paralel", "queued": "Sırada", "single": "Tek", - "end_time": "Bitiş zamanı", - "start_time": "Başlangıç zamanı", - "recording": "Kaydediliyor", - "streaming": "Yayınlanıyor", - "access_token": "Erişim Anahtarı", - "brand": "Marka", - "stream_type": "Akış tipi", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Yönlendirici", - "cool": "Soğutma", - "dry": "Kuru", - "fan_only": "Sadece fan", - "heat_cool": "Isıtma/soğutma", - "aux_heat": "Yardımcı ısı", - "current_humidity": "Mevcut nem", - "current_temperature": "Current Temperature", - "fan_mode": "Fan modu", - "diffuse": "Dağınık", - "top": "Yukarı", - "current_action": "Mevcut eylem", - "cooling": "Soğutuluyor", - "drying": "Kurutuluyor", - "heating": "Isıtılıyor", - "preheating": "Ön ısıtma", - "max_target_humidity": "Maksimum hedef nem", - "max_target_temperature": "Maksimum hedef sıcaklık", - "min_target_humidity": "Minimum hedef nem", - "min_target_temperature": "Minimum hedef sıcaklık", - "boost": "Güçlü", - "comfort": "Konfor", - "eco": "Eko", - "sleep": "Uyku", - "presets": "Ön Ayarlar", - "swing_mode": "Salınım modu", - "both": "Çift", - "horizontal": "Yatay", - "upper_target_temperature": "Üst hedef sıcaklık", - "lower_target_temperature": "Daha düşük hedef sıcaklık", - "target_temperature_step": "Hedef sıcaklık adımı", - "buffering": "Ön belleğe alınıyor", - "paused": "Durduruldu", - "playing": "Oynatılıyor", - "standby": "Bekleme modu", - "app_id": "Uygulama Kimliği", - "local_accessible_entity_picture": "Yerel erişilebilir varlık resmi", - "group_members": "Grup üyeleri", - "album_artist": "Albüm sanatçısı", - "content_id": "İçerik Kimliği", - "content_type": "İçerik türü", - "channels": "Kanallar", + "not_charging": "Şarj olmuyor", + "disconnected": "Bağlantı kesildi", + "connected": "Bağlandı", + "hot": "Sıcak", + "no_light": "Işık yok", + "light_detected": "Işık algılandı", + "locked": "Kilitli", + "unlocked": "Kilitli değil", + "not_moving": "Hareket etmiyor", + "unplugged": "Takılı değil", + "not_running": "Çalışmıyor", + "safe": "Güvenli", + "unsafe": "Güvensiz", + "tampering_detected": "Kurcalama tespit edildi", + "buffering": "Ön belleğe alınıyor", + "playing": "Oynatılıyor", + "standby": "Bekleme modu", + "app_id": "Uygulama Kimliği", + "local_accessible_entity_picture": "Yerel erişilebilir varlık resmi", + "group_members": "Grup üyeleri", + "album_artist": "Albüm sanatçısı", + "content_id": "İçerik Kimliği", + "content_type": "İçerik türü", + "channels": "Kanallar", "position_updated": "Pozisyon güncellendi", "series": "Diziler", "all": "Tümü", @@ -1768,71 +1834,11 @@ "receiver": "Alıcı", "speaker": "Hoparlör", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Yalnızca parlaklık", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Renk sıcaklığı (mireds)", - "color_temperature_kelvin": "Renk sıcaklığı (Kelvin)", - "available_effects": "Mevcut efektler", - "maximum_color_temperature_kelvin": "Maksimum renk sıcaklığı (Kelvin)", - "maximum_color_temperature_mireds": "Maksimum renk sıcaklığı (mireds)", - "minimum_color_temperature_kelvin": "Minimum renk sıcaklığı (Kelvin)", - "minimum_color_temperature_mireds": "Minimum renk sıcaklığı (mireds)", - "available_color_modes": "Mevcut renk modları", - "event_type": "Olay Türü", - "event_types": "Olay türleri", - "doorbell": "Kapı zili", - "available_tones": "Mevcut tonlar", - "locked": "Kilitli", - "unlocked": "Kilitli değil", - "members": "Üyeler", - "managed_via_ui": "Kullanıcı arabirimi aracılığıyla yönetilir", - "id": "ID", - "max_running_automations": "Maksimum çalışan otomasyonlar", - "finishes_at": "Bitiyor", - "remaining": "Kalan", - "next_event": "Sonraki etkinlik", - "update_available": "Güncelleştirme kullanılabilir", - "auto_update": "Otomatik güncelleme", - "in_progress": "Devam ediyor", - "installed_version": "Yüklü sürüm", - "latest_version": "En son sürüm", - "release_summary": "Sürüm özeti", - "release_url": "Sürüm URL'si", - "skipped_version": "Atlanan sürüm", - "firmware": "Donanım yazılımı", - "box": "Kutu", - "step": "Adım", - "apparent_power": "Görünür güç", - "atmospheric_pressure": "Atmosferik basınç", - "carbon_dioxide": "Karbondioksit", - "data_rate": "Veri hızı", - "distance": "Mesafe", - "stored_energy": "Depolanmış enerji", - "frequency": "Frekans", - "irradiance": "Işınım", - "nitrogen_dioxide": "Azot dioksit", - "nitrogen_monoxide": "Azot monoksit", - "nitrous_oxide": "Azot oksit", - "ozone": "Ozon", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Güç faktörü", - "precipitation_intensity": "Yağış yoğunluğu", - "pressure": "Basınç", - "reactive_power": "Reaktif güç", - "signal_strength": "Sinyal gücü", - "sound_pressure": "Ses basıncı", - "speed": "Hız", - "sulphur_dioxide": "Kükürt dioksit", - "vocs": "VOC'lar", - "volume_flow_rate": "Hacim akış hızı", - "stored_volume": "Kaydedilmiş seviye", - "weight": "Ağırlık", + "above_horizon": "Gündüz", + "below_horizon": "Ufkun altında", + "oscillating": "Salınımlı", + "speed_step": "Hızlı adım", + "available_preset_modes": "Kullanılabilir ön ayar modları", "armed_away": "Dışarda Aktif", "armed_custom_bypass": "Özel Mod Aktif", "armed_home": "Evde Aktif", @@ -1843,14 +1849,71 @@ "code_for_arming": "Kurma kodu", "not_required": "Gerekli değil", "code_format": "Kod formatı", + "gps_accuracy": "GPS doğruluğu", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Yönlendirici", + "event_type": "Olay Türü", + "event_types": "Olay türleri", + "doorbell": "Kapı zili", + "device_trackers": "Takip cihazları", + "max_running_scripts": "Maksimum çalışan senaryolar", + "jammed": "Sıkışmış", + "locking": "Kilitleniyor", + "unlocking": "Kilit açma", + "cool": "Soğutma", + "fan_only": "Sadece fan", + "heat_cool": "Isıtma/soğutma", + "aux_heat": "Yardımcı ısı", + "current_humidity": "Mevcut nem", + "current_temperature": "Current Temperature", + "fan_mode": "Fan modu", + "diffuse": "Dağınık", + "top": "Yukarı", + "current_action": "Mevcut eylem", + "cooling": "Soğutuluyor", + "drying": "Kurutuluyor", + "heating": "Isıtılıyor", + "preheating": "Ön ısıtma", + "max_target_humidity": "Maksimum hedef nem", + "max_target_temperature": "Maksimum hedef sıcaklık", + "min_target_humidity": "Minimum hedef nem", + "min_target_temperature": "Minimum hedef sıcaklık", + "boost": "Güçlü", + "comfort": "Konfor", + "eco": "Eko", + "sleep": "Uyku", + "presets": "Ön Ayarlar", + "swing_mode": "Salınım modu", + "both": "Çift", + "horizontal": "Yatay", + "upper_target_temperature": "Üst hedef sıcaklık", + "lower_target_temperature": "Daha düşük hedef sıcaklık", + "target_temperature_step": "Hedef sıcaklık adımı", "last_reset": "Son sıfırlama", "possible_states": "Olası durumlar", "state_class": "Durum sınıfı", "measurement": "Ölçüm", "total_increasing": "Toplam artış", + "conductivity": "Conductivity", "data_size": "Veri boyutu", "balance": "Denge", "timestamp": "Zaman Damgası", + "color_mode": "Color Mode", + "brightness_only": "Yalnızca parlaklık", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Renk sıcaklığı (mireds)", + "color_temperature_kelvin": "Renk sıcaklığı (Kelvin)", + "available_effects": "Mevcut efektler", + "maximum_color_temperature_kelvin": "Maksimum renk sıcaklığı (Kelvin)", + "maximum_color_temperature_mireds": "Maksimum renk sıcaklığı (mireds)", + "minimum_color_temperature_kelvin": "Minimum renk sıcaklığı (Kelvin)", + "minimum_color_temperature_mireds": "Minimum renk sıcaklığı (mireds)", + "available_color_modes": "Mevcut renk modları", "clear_night": "Açık, gece", "cloudy": "Bulutlu", "exceptional": "Olağanüstü", @@ -1873,62 +1936,78 @@ "uv_index": "UV Endeksi", "wind_bearing": "Rüzgar yatağı", "wind_gust_speed": "Rüzgar esme hızı", - "above_horizon": "Gündüz", - "below_horizon": "Ufkun altında", - "oscillating": "Salınımlı", - "speed_step": "Hızlı adım", - "available_preset_modes": "Kullanılabilir ön ayar modları", - "jammed": "Sıkışmış", - "locking": "Kilitleniyor", - "unlocking": "Kilit açma", - "identify": "Tanımlama", - "not_charging": "Şarj olmuyor", - "detected": "Algılandı", - "disconnected": "Bağlantı kesildi", - "connected": "Bağlandı", - "hot": "Sıcak", - "no_light": "Işık yok", - "light_detected": "Işık algılandı", - "wet": "Islak", - "not_moving": "Hareket etmiyor", - "unplugged": "Takılı değil", - "not_running": "Çalışmıyor", - "safe": "Güvenli", - "unsafe": "Güvensiz", - "tampering_detected": "Kurcalama tespit edildi", + "recording": "Kaydediliyor", + "streaming": "Yayınlanıyor", + "access_token": "Erişim Anahtarı", + "brand": "Marka", + "stream_type": "Akış tipi", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Dakika", "second": "İkinci", - "location_is_already_configured": "Konum zaten yapılandırılmış", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Geçersiz API anahtarı", - "api_key": "API Anahtarı", - "user_description": "Kurulumu başlatmak istiyor musunuz?", + "members": "Üyeler", + "finishes_at": "Bitiyor", + "remaining": "Kalan", + "identify": "Tanımlama", + "auto_update": "Otomatik güncelleme", + "in_progress": "Devam ediyor", + "installed_version": "Yüklü sürüm", + "latest_version": "En son sürüm", + "release_summary": "Sürüm özeti", + "release_url": "Sürüm URL'si", + "skipped_version": "Atlanan sürüm", + "firmware": "Donanım yazılımı", + "abort_single_instance_allowed": "Zaten yapılandırılmış. Yalnızca tek bir konfigürasyon mümkündür.", + "user_description": "Kuruluma başlamak ister misiniz?", + "device_is_already_configured": "Cihaz zaten yapılandırılmış", + "re_authentication_was_successful": "Yeniden kimlik doğrulama başarılı oldu", + "re_configuration_was_successful": "Yeniden yapılandırma başarılı oldu", + "failed_to_connect": "Bağlanma hatası", + "error_custom_port_not_supported": "Gen1 cihazı özel bağlantı noktasını desteklemez.", + "invalid_authentication": "Geçersiz kimlik doğrulama", + "unexpected_error": "Beklenmeyen hata", + "username": "Kullanıcı Adı", + "host": "Host", + "port": "Port", "account_is_already_configured": "Hesap zaten yapılandırılmış", "abort_already_in_progress": "Yapılandırma akışı zaten devam ediyor", - "failed_to_connect": "Bağlanma hatası", "invalid_access_token": "Geçersiz erişim anahtarı", "received_invalid_token_data": "Geçersiz anahtar verileri alındı.", "abort_oauth_failed": "Erişim anahtarı alınırken hata oluştu.", "timeout_resolving_oauth_token": "OAuth anahtarını çözme zaman aşımı.", "abort_oauth_unauthorized": "Erişim anahtarı alınırken OAuth yetkilendirme hatası.", - "re_authentication_was_successful": "Yeniden kimlik doğrulama başarılı oldu", - "timeout_establishing_connection": "Bağlantı kurulurken zaman aşımı", - "unexpected_error": "Beklenmeyen hata", "successfully_authenticated": "Başarıyla doğrulandı", - "link_google_account": "Google Hesabını Bağla", + "link_fitbit": "Fitbit'i bağla", "pick_authentication_method": "Kimlik doğrulama yöntemini seç", "authentication_expired_for_name": "{name} için kimlik doğrulamanın süresi doldu", "service_is_already_configured": "Hizmet zaten yapılandırılmış", - "confirm_description": "{name} 'i kurmak istiyor musunuz?", - "device_is_already_configured": "Cihaz zaten yapılandırılmış", - "abort_no_devices_found": "Ağda cihaz bulunamadı", - "connection_error_error": "Bağlantı hatası: {error}", - "invalid_authentication_error": "Geçersiz kimlik doğrulama: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Kullanıcı Adı", - "authenticate": "Kimlik doğrulama", - "host": "Host", - "abort_single_instance_allowed": "Zaten yapılandırılmış. Yalnızca tek bir konfigürasyon mümkündür.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "{name} 'i kurmak istiyor musunuz?", + "adapter": "Adaptör", + "multiple_adapters_description": "Kurmak için bir Bluetooth adaptörü seçin", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API Anahtarı", + "configure_daikin_ac": "Daikin AC'yi yapılandırın", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1944,39 +2023,41 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Geçersiz ana bilgisayar adı veya IP adresi", - "device_not_supported": "Cihaz desteklenmiyor", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Cihaza kimlik doğrulama", - "finish_title": "Cihaz için bir isim seçin", - "unlock_the_device": "Cihazın kilidini açın", - "yes_do_it": "Evet, yap.", - "unlock_the_device_optional": "Cihazın kilidini açın (isteğe bağlı)", - "connect_to_the_device": "Cihaza bağlanın", - "no_port_for_endpoint": "Uç nokta için bağlantı noktası yok", - "abort_no_services": "Uç noktada hizmet bulunamadı", - "port": "Port", - "discovered_wyoming_service": "Wyoming hizmetini keşfetti", - "invalid_authentication": "Geçersiz kimlik doğrulama", - "two_factor_code": "İki adımlı kimlik doğrulama kodu", - "two_factor_authentication": "İki faktörlü kimlik doğrulama", - "sign_in_with_ring_account": "Ring hesabıyla oturum açın", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Fitbit'i bağla", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Bağlanamıyor. Ayrıntılar: {error_detail}", + "unknown_details_error_detail": "Bilinmeyen. Ayrıntılar: {error_detail}", + "uses_an_ssl_certificate": "SSL sertifikası kullanır", + "verify_ssl_certificate": "SSL sertifikasını doğrulayın", + "timeout_establishing_connection": "Bağlantı kurulurken zaman aşımı", + "link_google_account": "Google Hesabını Bağla", + "abort_no_devices_found": "Ağda cihaz bulunamadı", + "connection_error_error": "Bağlantı hatası: {error}", + "invalid_authentication_error": "Geçersiz kimlik doğrulama: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Kimlik doğrulama", + "device_class": "Cihaz Sınıfı", + "state_template": "Durum şablonu", + "template_binary_sensor": "İkili sensör şablonu", + "template_sensor": "Şablon sensörü", + "template_a_binary_sensor": "İkili sensör şablonunu oluşturma", + "template_a_sensor": "Bir sensör şablonu", + "template_helper": "Şablon yardımcısı", + "location_is_already_configured": "Konum zaten yapılandırılmış", + "failed_to_connect_error": "Bağlantı başarısız oldu: {error}", + "invalid_api_key": "Geçersiz API anahtarı", + "pin_code": "PIN kodu", + "discovered_android_tv": "Android TV bulundu", + "confirm_description": "Kurulumu başlatmak istiyor musunuz?", + "known_hosts": "Bilinen ana bilgisayarlar", + "google_cast_configuration": "Google Cast yapılandırması", + "abort_invalid_host": "Geçersiz ana bilgisayar adı veya IP adresi", + "device_not_supported": "Cihaz desteklenmiyor", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Cihaza kimlik doğrulama", + "finish_title": "Cihaz için bir isim seçin", + "unlock_the_device": "Cihazın kilidini açın", + "yes_do_it": "Evet, yap.", + "unlock_the_device_optional": "Cihazın kilidini açın (isteğe bağlı)", + "connect_to_the_device": "Cihaza bağlanın", "invalid_birth_topic": "Geçersiz doğum konusu", "error_bad_certificate": "CA sertifikası geçersiz", "invalid_discovery_prefix": "Geçersiz keşif öneki", @@ -2000,8 +2081,9 @@ "path_is_not_allowed": "Yola izin verilmiyor", "path_is_not_valid": "Yol geçerli değil", "path_to_file": "Dosya yolu", - "known_hosts": "Bilinen ana bilgisayarlar", - "google_cast_configuration": "Google Cast yapılandırması", + "api_error_occurred": "API hatası oluştu", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "HTTPS'yi Etkinleştir", "abort_mdns_missing_mac": "MDNS özelliklerinde eksik MAC adresi.", "abort_mqtt_missing_api": "MQTT özelliklerinde eksik API bağlantı noktası.", "abort_mqtt_missing_ip": "MQTT özelliklerinde eksik IP adresi.", @@ -2009,10 +2091,35 @@ "service_received": "Hizmet alındı", "discovered_esphome_node": "ESPHome düğümü keşfedildi", "encryption_key": "Şifreleme anahtarı", + "no_port_for_endpoint": "Uç nokta için bağlantı noktası yok", + "abort_no_services": "Uç noktada hizmet bulunamadı", + "discovered_wyoming_service": "Wyoming hizmetini keşfetti", + "abort_api_error": "SwitchBot API'si ile iletişim kurulurken hata oluştu: {error_detail}", + "unsupported_switchbot_type": "Desteklenmeyen Switchbot Türü.", + "authentication_failed_error_detail": "Kimlik doğrulama başarısız oldu: {error_detail}", + "error_encryption_key_invalid": "Anahtar Kimliği veya Şifreleme anahtarı geçersiz", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot hesabı (önerilir)", + "menu_options_lock_key": "Kilit şifreleme anahtarını manuel olarak girin", + "key_id": "Anahtar Kimliği", + "password_description": "Yedeklemeyi korumak için parola.", + "device_address": "Cihaz adresi", + "component_switchbot_config_error_one": "Boş", + "meteorologisk_institutt": "Meteoroloji Enstitüsü", + "two_factor_code": "İki adımlı kimlik doğrulama kodu", + "two_factor_authentication": "İki faktörlü kimlik doğrulama", + "sign_in_with_ring_account": "Ring hesabıyla oturum açın", + "bridge_is_already_configured": "Köprü zaten yapılandırılmış", + "no_deconz_bridges_discovered": "DeCONZ köprüsü bulunamadı", + "abort_no_hardware_available": "deCONZ'a bağlı radyo donanımı yok", + "abort_updated_instance": "DeCONZ yeni ana bilgisayar adresiyle güncelleştirildi", + "error_linking_not_possible": "Ağ geçidi ile bağlantı kurulamadı", + "error_no_key": "API anahtarı alınamadı", + "link_with_deconz": "deCONZ ile bağlantı", + "select_discovered_deconz_gateway": "Keşfedilen deCONZ ağ geçidini seçin", "all_entities": "Tüm varlıklar", "hide_members": "Üyeleri gizle", "add_group": "Grup Ekle", - "device_class": "Cihaz sınıfı", "ignore_non_numeric": "Sayısal olmayanları yoksay", "data_round_digits": "Değeri ondalık sayıya yuvarla", "binary_sensor_group": "İkili sensör grubu", @@ -2024,83 +2131,50 @@ "media_player_group": "Medya oynatıcı grubu", "sensor_group": "Sensör grubu", "switch_group": "Grubu değiştir", - "name_already_exists": "Bu ad zaten var", - "passive": "Pasif", - "define_zone_parameters": "Bölge parametrelerini tanımlayın", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Yeniden yapılandırma başarılı oldu", - "error_custom_port_not_supported": "Gen1 cihazı özel bağlantı noktasını desteklemez.", "abort_alternative_integration": "Cihaz başka bir entegrasyon tarafından daha iyi destekleniyor", "abort_discovery_error": "Eşleşen bir DLNA cihazı bulunamadı", "abort_incomplete_config": "Yapılandırmada gerekli bir değişken eksik", "manual_description": "Aygıt açıklaması XML dosyasının URL'si", "manual_title": "Manuel DLNA DMR aygıt bağlantısı", "discovered_dlna_dmr_devices": "Keşfedilen DLNA DMR cihazları", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Bu ad zaten var", + "passive": "Pasif", + "define_zone_parameters": "Bölge parametrelerini tanımlayın", "calendar_name": "Takvim Adı", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adaptör", - "multiple_adapters_description": "Kurmak için bir Bluetooth adaptörü seçin", - "cannot_connect_details_error_detail": "Bağlanamıyor. Ayrıntılar: {error_detail}", - "unknown_details_error_detail": "Bilinmeyen. Ayrıntılar: {error_detail}", - "uses_an_ssl_certificate": "SSL sertifikası kullanır", - "verify_ssl_certificate": "SSL sertifikasını doğrulayın", - "configure_daikin_ac": "Daikin AC'yi yapılandırın", - "pin_code": "PIN kodu", - "discovered_android_tv": "Android TV bulundu", - "state_template": "Durum şablonu", - "template_binary_sensor": "İkili sensör şablonu", - "template_sensor": "Şablon sensörü", - "template_a_binary_sensor": "İkili sensör şablonunu oluşturma", - "template_a_sensor": "Bir sensör şablonu", - "template_helper": "Şablon yardımcısı", - "bridge_is_already_configured": "Köprü zaten yapılandırılmış", - "no_deconz_bridges_discovered": "DeCONZ köprüsü bulunamadı", - "abort_no_hardware_available": "deCONZ'a bağlı radyo donanımı yok", - "abort_updated_instance": "DeCONZ yeni ana bilgisayar adresiyle güncelleştirildi", - "error_linking_not_possible": "Ağ geçidi ile bağlantı kurulamadı", - "error_no_key": "API anahtarı alınamadı", - "link_with_deconz": "deCONZ ile bağlantı", - "select_discovered_deconz_gateway": "Keşfedilen deCONZ ağ geçidini seçin", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Desteklenmeyen Switchbot Türü.", - "authentication_failed_error_detail": "Kimlik doğrulama başarısız oldu: {error_detail}", - "error_encryption_key_invalid": "Anahtar Kimliği veya Şifreleme anahtarı geçersiz", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot hesabı (önerilir)", - "menu_options_lock_key": "Kilit şifreleme anahtarını manuel olarak girin", - "key_id": "Anahtar Kimliği", - "password_description": "Yedeklemeyi korumak için parola.", - "device_address": "Cihaz adresi", - "component_switchbot_config_error_one": "Boş", - "meteorologisk_institutt": "Meteoroloji Enstitüsü", - "api_error_occurred": "API hatası oluştu", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "HTTPS'yi Etkinleştir", - "enable_the_conversation_agent": "Konuşma aracısını etkinleştir", - "language_code": "Dil kodu", - "select_test_server": "Test sunucusunu seçin", - "data_allow_nameless_uuids": "Şu anda izin verilen UUID'ler. Kaldırmak için işareti kaldırın", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "İzin verilen yeni bir UUID girin", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth tarayıcı modu", + "passive_scanning": "Pasif tarama", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2183,6 +2257,22 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Konuşma aracısını etkinleştir", + "language_code": "Dil kodu", + "data_process": "Sensör(ler) olarak eklenecek işlemler", + "data_app_delete": "Bu uygulamayı silmek için işaretleyin", + "application_icon": "Uygulama Simgesi", + "application_name": "Uygulama Adı", + "configure_application_id_app_id": "{app_id} uygulama kimliğini yapılandırın", + "configure_android_apps": "Android Uygulamalarını Yapılandırma", + "configure_applications_list": "Uygulamalar listesini yapılandır", + "data_allow_nameless_uuids": "Şu anda izin verilen UUID'ler. Kaldırmak için işareti kaldırın", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "İzin verilen yeni bir UUID girin", + "data_calendar_access": "Google Takvim'e Home Assistant erişimi", + "ignore_cec": "CEC'yi yoksay", + "allowed_uuids": "İzin verilen UUID'ler", + "advanced_google_cast_configuration": "Gelişmiş Google Cast yapılandırması", "broker_options": "Broker seçenekleri", "enable_birth_message": "Doğum mesajını etkinleştir", "birth_message_payload": "Doğum mesajı yüklü", @@ -2196,105 +2286,37 @@ "will_message_retain": "Mesaj korunacak mı", "will_message_topic": "Mesaj konusu olacak", "mqtt_options": "MQTT seçenekleri", - "ignore_cec": "CEC'yi yoksay", - "allowed_uuids": "İzin verilen UUID'ler", - "advanced_google_cast_configuration": "Gelişmiş Google Cast yapılandırması", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth tarayıcı modu", + "protocol": "Protokol", + "select_test_server": "Test sunucusunu seçin", + "retry_count": "Yeniden deneme sayısı", + "allow_deconz_clip_sensors": "deCONZ CLIP sensörlerine izin ver", + "allow_deconz_light_groups": "deCONZ ışık gruplarına izin ver", + "data_allow_new_devices": "Yeni cihazların otomatik eklenmesine izin ver", + "deconz_devices_description": "deCONZ cihaz türlerinin görünürlüğünü yapılandırın", + "deconz_options": "deCONZ seçenekleri", "invalid_url": "Geçersiz URL", "data_browse_unfiltered": "Tarama sırasında uyumsuz medyayı göster", "event_listener_callback_url": "Olay dinleyici geri çağırma URL'si", "data_listen_port": "Olay dinleyici bağlantı noktası (ayarlanmamışsa rastgele)", "poll_for_device_availability": "Cihaz kullanılabilirliği için anket", "init_title": "DLNA Dijital Medya İşleyici yapılandırması", - "passive_scanning": "Pasif tarama", - "allow_deconz_clip_sensors": "deCONZ CLIP sensörlerine izin ver", - "allow_deconz_light_groups": "deCONZ ışık gruplarına izin ver", - "data_allow_new_devices": "Yeni cihazların otomatik eklenmesine izin ver", - "deconz_devices_description": "deCONZ cihaz türlerinin görünürlüğünü yapılandırın", - "deconz_options": "deCONZ seçenekleri", - "retry_count": "Yeniden deneme sayısı", - "data_calendar_access": "Google Takvim'e Home Assistant erişimi", - "protocol": "Protokol", - "data_process": "Sensör(ler) olarak eklenecek işlemler", - "toggle_entity_name": "{entity_name} değiştir", - "close_entity_name": "{entity_name} kapat", - "open_entity_name": "{entity_name} açın", - "entity_name_is_off": "{entity_name} kapalı", - "entity_name_is_on": "{entity_name} açık", - "trigger_type_changed_states": "{entity_name} açıldı veya kapatıldı", - "entity_name_closed": "{entity_name} kapatıldı", - "entity_name_opened": "{entity_name} açıldı", - "entity_name_is_home": "{entity_name} evde", - "entity_name_is_not_home": "{entity_name} evde değil", - "entity_name_enters_a_zone": "{entity_name} bir bölgeye girdi", - "entity_name_leaves_a_zone": "{entity_name} bir bölgeden ayrılıyor", - "action_type_set_hvac_mode": "{entity_name} üzerinde HVAC modunu değiştir", - "change_preset_on_entity_name": "{entity_name} üzerindeki ön ayarı değiştir", - "entity_name_measured_humidity_changed": "{entity_name} ölçülen nem değişti", - "entity_name_measured_temperature_changed": "{entity_name} ölçülen sıcaklık değişti", - "entity_name_hvac_mode_changed": "{entity_name} HVAC modu değişti", - "entity_name_is_buffering": "{entity_name} arabelleğe alıyor", - "entity_name_is_idle": "{entity_name} boşta", - "entity_name_is_paused": "{entity_name} duraklatıldı", - "entity_name_is_playing": "{entity_name} oynatılıyor", - "entity_name_starts_buffering": "{entity_name} arabelleğe almaya başlar", - "entity_name_starts_playing": "{entity_name} oynamaya başlar", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "İlk düğme", "second_button": "İkinci düğme", "third_button": "Üçüncü düğme", "fourth_button": "Dördüncü düğme", - "fifth_button": "Beşinci düğme", - "sixth_button": "Altıncı düğme", - "subtype_double_clicked": "\" {subtype} \" çift tıklandı", - "subtype_continuously_pressed": "\" {subtype} \" sürekli olarak basıldı", - "trigger_type_button_long_release": "\" {subtype} \" uzun basıştan sonra çıktı", - "subtype_quadruple_clicked": "\" {subtype} \" dört kez tıklandı", - "subtype_quintuple_clicked": "\" {subtype} \" beş kez tıklandı", - "subtype_pressed": "\" {subtype} \" basıldı", - "subtype_released": "\" {subtype} \" yayınlandı", - "subtype_triple_clicked": "\" {subtype} \" üç kez tıklandı", - "decrease_entity_name_brightness": "{entity_name} parlaklığını azalt", - "increase_entity_name_brightness": "{entity_name} parlaklığını artırın", - "flash_entity_name": "Flaş {entity_name}", - "action_type_select_first": "{entity_name} ilk seçeneğe değiştirin", - "action_type_select_last": "{entity_name} öğesini son seçeneğe değiştirin", - "action_type_select_next": "{entity_name} öğesini sonraki seçeneğe değiştir", - "change_entity_name_option": "{entity_name} seçeneğini değiştirin", - "action_type_select_previous": "{entity_name} önceki seçeneğe değiştir", - "current_entity_name_selected_option": "Geçerli {entity_name} seçili seçenek", - "entity_name_option_changed": "{entity_name} seçeneği değişti", - "entity_name_update_availability_changed": "{entity_name} güncellemesinin kullanılabilirliği değişti", - "entity_name_became_up_to_date": "{entity_name} güncellendi", - "trigger_type_update": "{entity_name} bir güncelleme aldı", "subtype_button_down": "{subtype} aşağı düğme", "subtype_button_up": "{subtype} düğmesi yukarı", + "subtype_double_clicked": "\" {subtype} \" çift tıklandı", "subtype_double_push": "{subtype} çift basma", "subtype_long_clicked": "{subtype} uzun tıklandı", "subtype_long_push": "{subtype} uzun basma", @@ -2302,20 +2324,121 @@ "subtype_single_clicked": "{subtype} tek tıklandı", "trigger_type_single_long": "{subtype} tek tıklandı ve ardından uzun tıklandı", "subtype_single_push": "{subtype} tek basma", + "subtype_triple_clicked": "\" {subtype} \" üç kez tıklandı", "subtype_triple_push": "{subtype} üçlü itme", "set_value_for_entity_name": "{entity_name} için değer ayarlayın", + "value": "Değer", + "close_entity_name": "{entity_name} kapat", "close_entity_name_tilt": "{entity_name} eğimini kapat", + "open_entity_name": "{entity_name} açın", "open_entity_name_tilt": "{entity_name} eğimini aç", "set_entity_name_position": "{entity_name} konumunu ayarla", "set_entity_name_tilt_position": "{entity_name} eğim konumunu ayarla", "stop_entity_name": "{entity_name} durdur", + "entity_name_closed": "{entity_name} kapatıldı", "entity_name_closing": "{entity_name} kapanıyor", + "entity_name_is_on": "{entity_name} açık", "entity_name_opening": "{entity_name} açılıyor", "current_entity_name_position_is": "Geçerli {entity_name} konumu:", "condition_type_is_tilt_position": "Geçerli {entity_name} eğim konumu:", + "entity_name_opened": "{entity_name} açıldı", "entity_name_position_changes": "{entity_name} konum değişiklikleri", "entity_name_tilt_position_changes": "{entity_name} eğim konumu değişiklikleri", - "send_a_notification": "Bildirim gönder", + "entity_name_battery_is_low": "{entity_name} pili zayıf", + "entity_name_charging": "{entity_name} şarj oluyor", + "condition_type_is_co": "{entity_name} karbon monoksit algılıyor", + "entity_name_is_cold": "{entity_name} soğuk", + "entity_name_is_connected": "{entity_name} bağlı", + "entity_name_is_detecting_gas": "{entity_name} gaz algılıyor", + "entity_name_is_hot": "{entity_name} sıcak", + "entity_name_is_detecting_light": "{entity_name} ışık algılıyor", + "entity_name_is_locked": "{entity_name} kilitli", + "entity_name_is_moist": "{entity_name} nemli", + "entity_name_is_detecting_motion": "{entity_name} hareket algılıyor", + "entity_name_is_moving": "{entity_name} taşınıyor", + "condition_type_is_no_co": "{entity_name} karbon monoksit algılamıyor", + "condition_type_is_no_gas": "{entity_name} gaz algılamıyor", + "condition_type_is_no_light": "{entity_name} ışığı algılamıyor", + "condition_type_is_no_motion": "{entity_name} hareketi algılamıyor", + "condition_type_is_no_problem": "{entity_name} sorun algılamıyor", + "condition_type_is_no_smoke": "{entity_name} duman algılamıyor", + "condition_type_is_no_sound": "{entity_name} sesi algılamıyor", + "entity_name_is_up_to_date": "{entity_name} güncel", + "condition_type_is_no_vibration": "{entity_name} titreşim algılamıyor", + "entity_name_battery_is_normal": "{entity_name} pili normal", + "entity_name_not_charging": "{entity_name} şarj olmuyor", + "entity_name_is_not_cold": "{entity_name} soğuk değil", + "entity_name_disconnected": "{entity_name} bağlantısı kesildi", + "entity_name_is_not_hot": "{entity_name} sıcak değil", + "entity_name_unlocked": "{entity_name} kilidi açıldı", + "entity_name_is_dry": "{entity_name} kuru", + "entity_name_is_not_moving": "{entity_name} hareket etmiyor", + "entity_name_is_not_occupied": "{entity_name} meşgul değil", + "entity_name_unplugged": "{entity_name} fişi çekildi", + "entity_name_not_powered": "{entity_name} desteklenmiyor", + "entity_name_not_present": "{entity_name} mevcut değil", + "entity_name_is_not_running": "{entity_name} çalışmıyor", + "condition_type_is_not_tampered": "{entity_name} , kurcalamayı algılamıyor", + "entity_name_is_safe": "{entity_name} güvenli", + "entity_name_is_occupied": "{entity_name} dolu", + "entity_name_is_off": "{entity_name} kapalı", + "entity_name_plugged_in": "{entity_name} takılı", + "entity_name_powered": "{entity_name} destekleniyor", + "entity_name_present": "{entity_name} mevcut", + "entity_name_is_detecting_problem": "{entity_name} sorun algılıyor", + "entity_name_is_running": "{entity_name} çalışıyor", + "entity_name_is_detecting_smoke": "{entity_name} duman algılıyor", + "entity_name_is_detecting_sound": "{entity_name} sesi algılıyor", + "entity_name_is_detecting_tampering": "{entity_name} , kurcalama algılıyor", + "entity_name_is_unsafe": "{entity_name} güvenli değil", + "condition_type_is_update": "{entity_name} için bir güncelleme mevcut", + "entity_name_is_detecting_vibration": "{entity_name} titreşim algılıyor", + "entity_name_battery_low": "{entity_name} pil seviyesi düşük", + "trigger_type_co": "{entity_name} karbon monoksit algılamaya başladı", + "entity_name_became_cold": "{entity_name} soğudu", + "entity_name_connected": "{entity_name} bağlandı", + "entity_name_started_detecting_gas": "{entity_name} gaz algılamaya başladı", + "entity_name_became_hot": "{entity_name} ısındı", + "entity_name_started_detecting_light": "{entity_name} ışığı algılamaya başladı", + "entity_name_locked": "{entity_name} kilitlendi", + "entity_name_became_moist": "{entity_name} nemli oldu", + "entity_name_started_detecting_motion": "{entity_name} hareket algılamaya başladı", + "entity_name_started_moving": "{entity_name} taşınmaya başladı", + "trigger_type_no_co": "{entity_name} karbon monoksit algılamayı durdurdu", + "entity_name_stopped_detecting_gas": "{entity_name} gaz algılamayı durdurdu", + "entity_name_stopped_detecting_light": "{entity_name} ışığı algılamayı durdurdu", + "entity_name_stopped_detecting_motion": "{entity_name} hareket algılamayı durdurdu", + "entity_name_stopped_detecting_problem": "{entity_name} sorunu algılamayı durdurdu", + "entity_name_stopped_detecting_smoke": "{entity_name} duman algılamayı durdurdu", + "entity_name_stopped_detecting_sound": "{entity_name} ses algılamayı durdurdu", + "entity_name_became_up_to_date": "{entity_name} güncellendi", + "entity_name_stopped_detecting_vibration": "{entity_name} titreşimi algılamayı durdurdu", + "entity_name_battery_normal": "{entity_name} pil normal", + "entity_name_became_not_cold": "{entity_name} soğuk olmadı", + "entity_name_became_not_hot": "{entity_name} sıcak olmadı", + "entity_name_became_dry": "{entity_name} kuru hale geldi", + "entity_name_stopped_moving": "{entity_name} hareket etmeyi durdurdu", + "entity_name_became_not_occupied": "{entity_name} dolu değil", + "trigger_type_not_running": "{entity_name} artık çalışmıyor", + "entity_name_stopped_detecting_tampering": "{entity_name} kurcalamayı algılamayı durdurdu", + "entity_name_became_safe": "{entity_name} güvenli hale geldi", + "entity_name_became_occupied": "{entity_name} işgal edildi", + "entity_name_started_detecting_problem": "{entity_name} sorun algılamaya başladı", + "entity_name_started_running": "{entity_name} çalışmaya başladı", + "entity_name_started_detecting_smoke": "{entity_name} duman algılamaya başladı", + "entity_name_started_detecting_sound": "{entity_name} sesi algılamaya başladı", + "entity_name_started_detecting_tampering": "{entity_name} , kurcalamayı algılamaya başladı", + "entity_name_became_unsafe": "{entity_name} güvensiz hale geldi", + "trigger_type_update": "{entity_name} bir güncelleme aldı", + "entity_name_started_detecting_vibration": "{entity_name} , titreşimi algılamaya başladı", + "entity_name_is_buffering": "{entity_name} arabelleğe alıyor", + "entity_name_is_idle": "{entity_name} boşta", + "entity_name_is_paused": "{entity_name} duraklatıldı", + "entity_name_is_playing": "{entity_name} oynatılıyor", + "entity_name_starts_buffering": "{entity_name} arabelleğe almaya başlar", + "trigger_type_changed_states": "{entity_name} açıldı veya kapatıldı", + "entity_name_starts_playing": "{entity_name} oynamaya başlar", + "toggle_entity_name": "{entity_name} değiştir", "arm_entity_name_away": "{entity_name} Uzakta Alarm", "arm_entity_name_home": "{entity_name} Evde Alarm", "arm_entity_name_night": "{entity_name} Gece Alarm", @@ -2329,12 +2452,25 @@ "entity_name_disarmed": "{entity_name} Devre Dışı", "entity_name_triggered": "{entity_name} tetiklendi", "entity_name_armed_vacation": "{entity_name} Alarm Tatil Modunda", + "entity_name_is_home": "{entity_name} evde", + "entity_name_is_not_home": "{entity_name} evde değil", + "entity_name_enters_a_zone": "{entity_name} bir bölgeye girdi", + "entity_name_leaves_a_zone": "{entity_name} bir bölgeden ayrılıyor", + "lock_entity_name": "{entity_name} kilitle", + "unlock_entity_name": "{entity_name} kilidini açı", + "action_type_set_hvac_mode": "{entity_name} üzerinde HVAC modunu değiştir", + "change_preset_on_entity_name": "{entity_name} üzerindeki ön ayarı değiştir", + "hvac_mode": "HVAC modu", + "entity_name_measured_humidity_changed": "{entity_name} ölçülen nem değişti", + "entity_name_measured_temperature_changed": "{entity_name} ölçülen sıcaklık değişti", + "entity_name_hvac_mode_changed": "{entity_name} HVAC modu değişti", "current_entity_name_apparent_power": "Mevcut {entity_name} görünür güç", "condition_type_is_aqi": "Mevcut {entity_name} hava kalitesi endeksi", "current_entity_name_atmospheric_pressure": "Mevcut {entity_name} atmosferik basınç", "current_entity_name_battery_level": "Mevcut {entity_name} pil seviyesi", "condition_type_is_carbon_dioxide": "Mevcut {entity_name} karbondioksit konsantrasyon seviyesi", "condition_type_is_carbon_monoxide": "Mevcut {entity_name} karbon monoksit konsantrasyon seviyesi", + "current_entity_name_conductivity": "Akım {entity_name} iletkenlik", "current_entity_name_current": "Mevcut {entity_name} akımı", "current_entity_name_data_rate": "Geçerli {entity_name} veri hızı", "current_entity_name_data_size": "Geçerli {entity_name} veri boyutu", @@ -2379,6 +2515,7 @@ "entity_name_battery_level_changes": "{entity_name} pil seviyesi değişiklikleri", "trigger_type_carbon_dioxide": "{entity_name} karbondioksit konsantrasyonu değişiklikleri", "trigger_type_carbon_monoxide": "{entity_name} karbon monoksit konsantrasyonu değişiklikleri", + "entity_name_conductivity_changes": "{entity_name} iletkenlik değişiklikleri", "entity_name_current_changes": "{entity_name} akım değişiklikleri", "entity_name_data_rate_changes": "{entity_name} veri hızı değişiklikleri", "entity_name_data_size_changes": "{entity_name} veri boyutu değişiklikleri", @@ -2417,127 +2554,69 @@ "entity_name_water_changes": "{entity_name} su değişimi", "entity_name_weight_changes": "{entity_name} ağırlık değişiklikleri", "entity_name_wind_speed_changes": "{entity_name} rüzgar hızı değişiklikleri", + "decrease_entity_name_brightness": "{entity_name} parlaklığını azalt", + "increase_entity_name_brightness": "{entity_name} parlaklığını artırın", + "flash_entity_name": "Flaş {entity_name}", + "flash": "Flaş", + "fifth_button": "Beşinci düğme", + "sixth_button": "Altıncı düğme", + "subtype_continuously_pressed": "\" {subtype} \" sürekli olarak basıldı", + "trigger_type_button_long_release": "\" {subtype} \" uzun basıştan sonra çıktı", + "subtype_quadruple_clicked": "\" {subtype} \" dört kez tıklandı", + "subtype_quintuple_clicked": "\" {subtype} \" beş kez tıklandı", + "subtype_pressed": "\" {subtype} \" basıldı", + "subtype_released": "\" {subtype} \" yayınlandı", + "action_type_select_first": "{entity_name} ilk seçeneğe değiştirin", + "action_type_select_last": "{entity_name} öğesini son seçeneğe değiştirin", + "action_type_select_next": "{entity_name} öğesini sonraki seçeneğe değiştir", + "change_entity_name_option": "{entity_name} seçeneğini değiştirin", + "action_type_select_previous": "{entity_name} önceki seçeneğe değiştir", + "current_entity_name_selected_option": "Geçerli {entity_name} seçili seçenek", + "cycle": "Döngü", + "entity_name_option_changed": "{entity_name} seçeneği değişti", + "send_a_notification": "Bildirim gönder", + "both_buttons": "Çift düğmeler", + "bottom_buttons": "Alt düğmeler", + "seventh_button": "Yedinci düğme", + "eighth_button": "Sekizinci düğme", + "dim_down": "Kısma", + "dim_up": "Açma", + "left": "Sol", + "right": "Sağ", + "side": "Yan 6", + "top_buttons": "Üst düğmeler", + "device_awakened": "Cihaz uyandı", + "trigger_type_remote_button_long_release": "\" {subtype} \" uzun basıştan sonra serbest bırakıldı", + "button_rotated_subtype": "Düğme döndürüldü \" {subtype} \"", + "button_rotated_fast_subtype": "Düğme hızlı döndürüldü \" {subtype} \"", + "button_rotation_subtype_stopped": "{subtype} \" düğmesinin döndürülmesi durduruldu", + "device_subtype_double_tapped": "\" {subtype} \" cihazına iki kez hafifçe vuruldu", + "trigger_type_remote_double_tap_any_side": "Cihaz herhangi bir tarafta çift dokundu", + "device_in_free_fall": "Serbest düşüşte cihaz", + "device_flipped_degrees": "Cihaz 90 derece döndürüldü", + "device_shaken": "Cihaz sallandı", + "trigger_type_remote_moved": "Cihaz \" {subtype} \" yukarı taşındı", + "trigger_type_remote_moved_any_side": "Cihaz herhangi bir tarafı yukarı gelecek şekilde taşındı", + "trigger_type_remote_rotate_from_side": "Cihaz \"yan 6\" \" {subtype} \" konumuna döndürüldü", + "device_turned_clockwise": "Cihaz saat yönünde döndü", + "device_turned_counter_clockwise": "Cihaz saat yönünün tersine döndü", "press_entity_name_button": "{entity_name} düğmesine basın", "entity_name_has_been_pressed": "{entity_name} tuşuna basıldı", - "entity_name_battery_is_low": "{entity_name} pili zayıf", - "entity_name_charging": "{entity_name} şarj oluyor", - "condition_type_is_co": "{entity_name} karbon monoksit algılıyor", - "entity_name_is_cold": "{entity_name} soğuk", - "entity_name_is_connected": "{entity_name} bağlı", - "entity_name_is_detecting_gas": "{entity_name} gaz algılıyor", - "entity_name_is_hot": "{entity_name} sıcak", - "entity_name_is_detecting_light": "{entity_name} ışık algılıyor", - "entity_name_is_locked": "{entity_name} kilitli", - "entity_name_is_moist": "{entity_name} nemli", - "entity_name_is_detecting_motion": "{entity_name} hareket algılıyor", - "entity_name_is_moving": "{entity_name} taşınıyor", - "condition_type_is_no_co": "{entity_name} karbon monoksit algılamıyor", - "condition_type_is_no_gas": "{entity_name} gaz algılamıyor", - "condition_type_is_no_light": "{entity_name} ışığı algılamıyor", - "condition_type_is_no_motion": "{entity_name} hareketi algılamıyor", - "condition_type_is_no_problem": "{entity_name} sorun algılamıyor", - "condition_type_is_no_smoke": "{entity_name} duman algılamıyor", - "condition_type_is_no_sound": "{entity_name} sesi algılamıyor", - "entity_name_is_up_to_date": "{entity_name} güncel", - "condition_type_is_no_vibration": "{entity_name} titreşim algılamıyor", - "entity_name_battery_is_normal": "{entity_name} pili normal", - "entity_name_not_charging": "{entity_name} şarj olmuyor", - "entity_name_is_not_cold": "{entity_name} soğuk değil", - "entity_name_disconnected": "{entity_name} bağlantısı kesildi", - "entity_name_is_not_hot": "{entity_name} sıcak değil", - "entity_name_unlocked": "{entity_name} kilidi açıldı", - "entity_name_is_dry": "{entity_name} kuru", - "entity_name_is_not_moving": "{entity_name} hareket etmiyor", - "entity_name_is_not_occupied": "{entity_name} meşgul değil", - "entity_name_unplugged": "{entity_name} fişi çekildi", - "entity_name_not_powered": "{entity_name} desteklenmiyor", - "entity_name_not_present": "{entity_name} mevcut değil", - "entity_name_is_not_running": "{entity_name} çalışmıyor", - "condition_type_is_not_tampered": "{entity_name} , kurcalamayı algılamıyor", - "entity_name_is_safe": "{entity_name} güvenli", - "entity_name_is_occupied": "{entity_name} dolu", - "entity_name_plugged_in": "{entity_name} takılı", - "entity_name_powered": "{entity_name} destekleniyor", - "entity_name_present": "{entity_name} mevcut", - "entity_name_is_detecting_problem": "{entity_name} sorun algılıyor", - "entity_name_is_running": "{entity_name} çalışıyor", - "entity_name_is_detecting_smoke": "{entity_name} duman algılıyor", - "entity_name_is_detecting_sound": "{entity_name} sesi algılıyor", - "entity_name_is_detecting_tampering": "{entity_name} , kurcalama algılıyor", - "entity_name_is_unsafe": "{entity_name} güvenli değil", - "condition_type_is_update": "{entity_name} için bir güncelleme mevcut", - "entity_name_is_detecting_vibration": "{entity_name} titreşim algılıyor", - "entity_name_battery_low": "{entity_name} pil seviyesi düşük", - "trigger_type_co": "{entity_name} karbon monoksit algılamaya başladı", - "entity_name_became_cold": "{entity_name} soğudu", - "entity_name_connected": "{entity_name} bağlandı", - "entity_name_started_detecting_gas": "{entity_name} gaz algılamaya başladı", - "entity_name_became_hot": "{entity_name} ısındı", - "entity_name_started_detecting_light": "{entity_name} ışığı algılamaya başladı", - "entity_name_locked": "{entity_name} kilitlendi", - "entity_name_became_moist": "{entity_name} nemli oldu", - "entity_name_started_detecting_motion": "{entity_name} hareket algılamaya başladı", - "entity_name_started_moving": "{entity_name} taşınmaya başladı", - "trigger_type_no_co": "{entity_name} karbon monoksit algılamayı durdurdu", - "entity_name_stopped_detecting_gas": "{entity_name} gaz algılamayı durdurdu", - "entity_name_stopped_detecting_light": "{entity_name} ışığı algılamayı durdurdu", - "entity_name_stopped_detecting_motion": "{entity_name} hareket algılamayı durdurdu", - "entity_name_stopped_detecting_problem": "{entity_name} sorunu algılamayı durdurdu", - "entity_name_stopped_detecting_smoke": "{entity_name} duman algılamayı durdurdu", - "entity_name_stopped_detecting_sound": "{entity_name} ses algılamayı durdurdu", - "entity_name_stopped_detecting_vibration": "{entity_name} titreşimi algılamayı durdurdu", - "entity_name_battery_normal": "{entity_name} pil normal", - "entity_name_became_not_cold": "{entity_name} soğuk olmadı", - "entity_name_became_not_hot": "{entity_name} sıcak olmadı", - "entity_name_became_dry": "{entity_name} kuru hale geldi", - "entity_name_stopped_moving": "{entity_name} hareket etmeyi durdurdu", - "entity_name_became_not_occupied": "{entity_name} dolu değil", - "trigger_type_not_running": "{entity_name} artık çalışmıyor", - "entity_name_stopped_detecting_tampering": "{entity_name} kurcalamayı algılamayı durdurdu", - "entity_name_became_safe": "{entity_name} güvenli hale geldi", - "entity_name_became_occupied": "{entity_name} işgal edildi", - "entity_name_started_detecting_problem": "{entity_name} sorun algılamaya başladı", - "entity_name_started_running": "{entity_name} çalışmaya başladı", - "entity_name_started_detecting_smoke": "{entity_name} duman algılamaya başladı", - "entity_name_started_detecting_sound": "{entity_name} sesi algılamaya başladı", - "entity_name_started_detecting_tampering": "{entity_name} , kurcalamayı algılamaya başladı", - "entity_name_became_unsafe": "{entity_name} güvensiz hale geldi", - "entity_name_started_detecting_vibration": "{entity_name} , titreşimi algılamaya başladı", - "both_buttons": "Çift düğmeler", - "bottom_buttons": "Alt düğmeler", - "seventh_button": "Yedinci düğme", - "eighth_button": "Sekizinci düğme", - "dim_down": "Kısma", - "dim_up": "Açma", - "left": "Sol", - "right": "Sağ", - "side": "Yan 6", - "top_buttons": "Üst düğmeler", - "device_awakened": "Cihaz uyandı", - "trigger_type_remote_button_long_release": "\" {subtype} \" uzun basıştan sonra serbest bırakıldı", - "button_rotated_subtype": "Düğme döndürüldü \" {subtype} \"", - "button_rotated_fast_subtype": "Düğme hızlı döndürüldü \" {subtype} \"", - "button_rotation_subtype_stopped": "{subtype} \" düğmesinin döndürülmesi durduruldu", - "device_subtype_double_tapped": "\" {subtype} \" cihazına iki kez hafifçe vuruldu", - "trigger_type_remote_double_tap_any_side": "Cihaz herhangi bir tarafta çift dokundu", - "device_in_free_fall": "Serbest düşüşte cihaz", - "device_flipped_degrees": "Cihaz 90 derece döndürüldü", - "device_shaken": "Cihaz sallandı", - "trigger_type_remote_moved": "Cihaz \" {subtype} \" yukarı taşındı", - "trigger_type_remote_moved_any_side": "Cihaz herhangi bir tarafı yukarı gelecek şekilde taşındı", - "trigger_type_remote_rotate_from_side": "Cihaz \"yan 6\" \" {subtype} \" konumuna döndürüldü", - "device_turned_clockwise": "Cihaz saat yönünde döndü", - "device_turned_counter_clockwise": "Cihaz saat yönünün tersine döndü", - "lock_entity_name": "{entity_name} kilitle", - "unlock_entity_name": "{entity_name} kilidini açı", - "critical": "Kritik", - "debug": "Hata ayıklama", - "warning": "Uyarı", + "entity_name_update_availability_changed": "{entity_name} güncellemesinin kullanılabilirliği değişti", "add_to_queue": "Kuyruğa ekle", "play_next": "Sonraki oynat", "options_replace": "Şimdi oyna ve kuyruğu temizle", "repeat_all": "Tümünü tekrarla", "repeat_one": "Bir kez tekrarla", + "critical": "Kritik", + "debug": "Hata ayıklama", + "warning": "Uyarı", + "most_recently_updated": "En son güncellenen", + "arithmetic_mean": "Aritmetik ortalama", + "median": "Medyan", + "product": "Ürün", + "statistical_range": "İstatistiksel aralık", + "standard_deviation": "Standart sapma", "alice_blue": "Alice mavisi", "antique_white": "Antik beyaz", "aquamarine": "Akuamarin", @@ -2657,16 +2736,110 @@ "wheat": "Buğday", "white_smoke": "Beyaz duman", "yellow_green": "Sarı yeşili", + "fatal": "Ölümcül", "no_device_class": "Cihaz sınıfı yok", "no_state_class": "Durum sınıfı yok", "no_unit_of_measurement": "Ölçü birimi yok", - "fatal": "Ölümcül", - "most_recently_updated": "En son güncellenen", - "arithmetic_mean": "Aritmetik ortalama", - "median": "Medyan", - "product": "Ürün", - "statistical_range": "İstatistiksel aralık", - "standard_deviation": "Standart sapma", + "dump_log_objects": "Günlük nesnelerini dökümü", + "log_current_tasks_description": "Mevcut tüm eşzamansız görevleri günlüğe kaydeder.", + "log_current_asyncio_tasks": "Mevcut eşzamansız görevleri günlüğe kaydet", + "log_event_loop_scheduled": "Günlük olay döngüsü planlandı", + "log_thread_frames_description": "Tüm iş parçacıkları için geçerli çerçeveleri günlüğe kaydeder.", + "log_thread_frames": "Günlük iş parçacığı çerçeveleri", + "lru_stats_description": "Tüm lru önbelleklerinin istatistiklerini günlüğe kaydeder.", + "log_lru_stats": "LRU istatistiklerini günlüğe kaydet", + "starts_the_memory_profiler": "Bellek Profilcisi'ni başlatır.", + "seconds": "Saniye", + "memory": "Hafıza", + "set_asyncio_debug_description": "Asyncio hata ayıklamayı etkinleştirin veya devre dışı bırakın.", + "enabled_description": "Asyncio hata ayıklamanın etkinleştirilip etkinleştirilmeyeceği veya devre dışı bırakılacağı.", + "set_asyncio_debug": "Eşzamansız hata ayıklamayı ayarla", + "starts_the_profiler": "Profil Oluşturucuyu başlatır.", + "max_objects_description": "Günlüğe kaydedilecek maksimum nesne sayısı.", + "maximum_objects": "Maksimum nesne", + "scan_interval_description": "Günlük nesneleri arasındaki saniye sayısı.", + "scan_interval": "Tarama aralığı", + "start_logging_object_sources": "Nesne kaynaklarını günlüğe kaydetmeye başlayın", + "start_log_objects_description": "Bellekteki nesnelerin büyümesini günlüğe kaydetmeye başlar.", + "start_logging_objects": "Nesneleri günlüğe kaydetmeye başlayın", + "stop_logging_object_sources": "Nesne kaynaklarını günlüğe kaydetmeyi durdurma", + "stop_log_objects_description": "Bellekteki nesnelerin büyümesini günlüğe kaydetmeyi durdurur.", + "stop_logging_objects": "Nesneleri günlüğe kaydetmeyi durdurun", + "request_sync_description": "Google'a bir request_sync komutu gönderir.", + "agent_user_id": "Aracı kullanıcı kimliği", + "request_sync": "Senkronizasyon iste", + "reload_resources_description": "Pano kaynaklarını YAML yapılandırmasından yeniden yükler.", + "clears_all_log_entries": "Tüm günlükleri temizler.", + "clear_all": "Tümünü temizle", + "write_log_entry": "Günlük girişi yazın.", + "log_level": "Günlük düzeyi.", + "level": "Düzey", + "message_to_log": "Günlüğe kaydedilecek ileti.", + "write": "Yaz", + "set_value_description": "Bir sayının değerini ayarlar.", + "value_description": "Yapılandırma parametresinin değeri.", + "create_temporary_strict_connection_url_name": "Geçici bir katı bağlantı URL'si oluşturun", + "toggles_the_siren_on_off": "Sireni açar/kapatır.", + "turns_the_siren_off": "Sireni kapatır.", + "turns_the_siren_on": "Sireni açar.", + "tone": "Ton", + "create_event_description": "Yeni bir takvim etkinliği ekleyin.", + "location_description": "Etkinliğin yeri. İsteğe bağlı.", + "start_date_description": "Tüm gün süren etkinliğin başlaması gereken tarih.", + "create_event": "Etkinlik oluştur", + "get_events": "Etkinlikleri alın", + "list_event": "Etkinliği listele", + "closes_a_cover": "Bir kepengi kapatır.", + "close_tilt": "Kepengi kapat", + "opens_a_cover": "Bir kepenk açar.", + "tilts_a_cover_open": "Bir kepengi açar.", + "open_tilt": "Kepenk aç", + "set_cover_position_description": "Bir kapağı belirli bir konuma taşır.", + "target_position": "Hedef pozisyon.", + "set_position": "Pozisyonu ayarla", + "target_tilt_positition": "Hedef kepenk pozisyonu.", + "set_tilt_position": "Eğim konumunu ayarlama", + "stops_the_cover_movement": "Kapak hareketini durdurur.", + "stop_cover_tilt_description": "Eğilen bir kapak hareketini durdurur.", + "stop_tilt": "Eğimi durdur", + "toggles_a_cover_open_closed": "Bir kapağı açar/kapatır.", + "toggle_cover_tilt_description": "Bir kapak eğimini açık/kapalı konuma getirir.", + "toggle_tilt": "Eğimi değiştir", + "check_configuration": "Yapılandırmayı kontrol edin", + "reload_all": "Tümünü yeniden yükle", + "reload_config_entry_description": "Belirtilen yapılandırma girişini yeniden yükler.", + "config_entry_id": "Yapılandırma girişi kimliği", + "reload_config_entry": "Yapılandırma girişini yeniden yükle", + "reload_core_config_description": "Çekirdek yapılandırmayı YAML yapılandırmasından yeniden yükler.", + "reload_core_configuration": "Çekirdek yapılandırmasını yeniden yükle", + "reload_custom_jinja_templates": "Özel Jinja2 şablonlarını yeniden yükleyin", + "restarts_home_assistant": "Home Assistant'ı yeniden başlatır.", + "safe_mode_description": "Özel entegrasyonları ve özel kartları devre dışı bırakın.", + "save_persistent_states": "Kalıcı durumları kaydetme", + "set_location_description": "Home Asistanı konumunu günceller.", + "elevation_of_your_location": "Konumunuzun yüksekliği.", + "latitude_of_your_location": "Bulunduğunuz yerin enlemi.", + "longitude_of_your_location": "Bulunduğunuz yerin boylamı.", + "set_location": "Konumu ayarla", + "stops_home_assistant": "Home Assistant'ı durdurur.", + "generic_toggle": "Genel geçiş", + "generic_turn_off": "Genel kapatma", + "generic_turn_on": "Genel açma", + "update_entity": "Varlığı güncelle", + "creates_a_new_backup": "Yeni bir yedek oluşturur.", + "decrement_description": "Geçerli değeri 1 adım azaltır.", + "increment_description": "Değeri 1 adım artırır.", + "sets_the_value": "Değeri ayarlar.", + "the_target_value": "Hedef değer.", + "reloads_the_automation_configuration": "Otomasyon yapılandırmasını yeniden yükler.", + "toggle_description": "Bir medya oynatıcıyı açar/kapatır.", + "trigger_description": "Bir otomasyonun eylemlerini tetikler.", + "skip_conditions": "Koşulları atla", + "trigger": "Tetikle", + "disables_an_automation": "Bir otomasyonu devre dışı bırakır.", + "stops_currently_running_actions": "Çalışmakta olan eylemleri durdurur.", + "stop_actions": "Eylemleri durdurun", + "enables_an_automation": "Bir otomasyonu etkinleştirir.", "restarts_an_add_on": "Bir eklentiyi yeniden başlatır.", "the_add_on_slug": "Eklenti adı.", "restart_add_on": "Eklentiyi yeniden başlatın.", @@ -2701,121 +2874,64 @@ "restore_partial_description": "Kısmi bir yedekten geri yükler.", "restores_home_assistant": "Home Assistant'ı geri yükler.", "restore_from_partial_backup": "Kısmi yedeklemeden geri yükleme.", - "broadcast_address": "Yayın adresi", - "broadcast_port_description": "Sihirli paketin gönderileceği bağlantı noktası.", - "broadcast_port": "Yayın bağlantı noktası", - "mac_address": "MAC adresi", - "send_magic_packet": "Sihirli paket gönder", - "command_description": "Google Asistan'a gönderilecek komut(lar).", - "command": "Komuta", - "media_player_entity": "Medya oynatıcı varlığı", - "send_text_command": "Metin komutu gönder", - "clear_tts_cache": "TTS önbelleğini temizle", - "cache": "Önbellek", - "entity_id_description": "Kayıt defteri girişinde referans verilecek varlık.", - "language_description": "Metin dili. Varsayılan olarak sunucu dili.", - "options_description": "Entegrasyona özgü seçenekleri içeren bir sözlük.", - "say_a_tts_message": "Bir TTS mesajı söyleyin", - "media_player_entity_id_description": "Mesajı oynatmak için medya oynatıcılar.", - "speak": "Konuş", - "stops_a_running_script": "Çalışan bir komut dosyasını durdurur.", - "request_sync_description": "Google'a bir request_sync komutu gönderir.", - "agent_user_id": "Aracı kullanıcı kimliği", - "request_sync": "Senkronizasyon iste", - "sets_a_random_effect": "Rastgele bir etki ayarlar.", - "sequence_description": "HSV dizilerinin listesi (Maks. 16).", - "backgrounds": "Arka Planlar", - "initial_brightness": "İlk parlaklık.", - "range_of_brightness": "Parlaklık aralığı.", - "brightness_range": "Parlaklık aralığı", - "fade_off": "Sönüyor", - "range_of_hue": "Ton aralığı.", - "hue_range": "Ton aralığı", - "initial_hsv_sequence": "İlk HSV dizisi.", - "initial_states": "İlk durumlar", - "random_seed": "Rastgele tohum", - "range_of_saturation": "Doygunluk aralığı.", - "saturation_range": "Doygunluk aralığı", - "segments_description": "Segmentlerin Listesi (tümü için 0).", - "segments": "Segmentler", - "transition": "Geçiş", - "range_of_transition": "Geçiş aralığı.", - "transition_range": "Geçiş aralığı", - "random_effect": "Rastgele efekt", - "sets_a_sequence_effect": "Bir dizi efekti ayarlar.", - "repetitions_for_continuous": "Tekrarlar (sürekli için 0).", - "repeats": "Tekrarlar", - "sequence": "Sıra", - "speed_of_spread": "Yayılma hızı.", - "spread": "Yayılma", - "sequence_effect": "Dizi efekti", - "check_configuration": "Yapılandırmayı kontrol edin", - "reload_all": "Tümünü yeniden yükle", - "reload_config_entry_description": "Belirtilen yapılandırma girişini yeniden yükler.", - "config_entry_id": "Yapılandırma girişi kimliği", - "reload_config_entry": "Yapılandırma girişini yeniden yükle", - "reload_core_config_description": "Çekirdek yapılandırmayı YAML yapılandırmasından yeniden yükler.", - "reload_core_configuration": "Çekirdek yapılandırmasını yeniden yükle", - "reload_custom_jinja_templates": "Özel Jinja2 şablonlarını yeniden yükleyin", - "restarts_home_assistant": "Home Assistant'ı yeniden başlatır.", - "safe_mode_description": "Özel entegrasyonları ve özel kartları devre dışı bırakın.", - "save_persistent_states": "Kalıcı durumları kaydetme", - "set_location_description": "Home Asistanı konumunu günceller.", - "elevation_of_your_location": "Konumunuzun yüksekliği.", - "latitude_of_your_location": "Bulunduğunuz yerin enlemi.", - "longitude_of_your_location": "Bulunduğunuz yerin boylamı.", - "set_location": "Konumu ayarla", - "stops_home_assistant": "Home Assistant'ı durdurur.", - "generic_toggle": "Genel geçiş", - "generic_turn_off": "Genel kapatma", - "generic_turn_on": "Genel açma", - "update_entity": "Varlığı güncelle", - "create_event_description": "Yeni bir takvim etkinliği ekleyin.", - "location_description": "Etkinliğin yeri. İsteğe bağlı.", - "start_date_description": "Tüm gün süren etkinliğin başlaması gereken tarih.", - "create_event": "Etkinlik oluştur", - "get_events": "Etkinlikleri alın", - "list_event": "Etkinliği listele", - "toggles_a_switch_on_off": "Bir anahtarı açar/kapatır.", - "turns_a_switch_off": "Bir anahtarı kapatır.", - "turns_a_switch_on": "Bir anahtarı açar.", - "disables_the_motion_detection": "Hareket algılamayı devre dışı bırakır.", - "disable_motion_detection": "Hareket algılamayı devre dışı bırak", - "enables_the_motion_detection": "Hareket algılamayı etkinleştirir.", - "enable_motion_detection": "Hareket algılamayı etkinleştir", - "format_description": "Medya oynatıcı tarafından desteklenen akış formatı.", - "format": "Biçim", - "media_player_description": "Akış için medya oynatıcılar.", - "play_stream": "Akışı oynat", - "filename": "Dosya adı", - "lookback": "Geriye Bakış", - "snapshot_description": "Bir kameradan anlık görüntü alır.", - "take_snapshot": "Anlık görüntü alın", - "turns_off_the_camera": "Kamerayı kapatır.", - "turns_on_the_camera": "Kamerayı açar.", - "notify_description": "Seçilen hedeflere bir bildirim mesajı gönderir.", - "data": "Veri", - "message_description": "Bildirimin mesaj gövdesi.", - "title_for_your_notification": "Bildiriminiz için başlık.", - "title_of_the_notification": "Bildirimin başlığı.", - "send_a_persistent_notification": "Kalıcı bildirim gönder", - "sends_a_notification_message": "Bir bildirim mesajı gönderir.", - "your_notification_message": "Bildirim mesajınız.", - "title_description": "Bildirimin isteğe bağlı başlığı.", - "send_a_notification_message": "Bir bildirim mesajı gönder", - "creates_a_new_backup": "Yeni bir yedek oluşturur.", - "see_description": "Görülen izlenen bir cihazı kaydeder.", - "battery_description": "Cihazın pil seviyesi.", - "gps_coordinates": "GPS koordinatları", - "gps_accuracy_description": "GPS koordinatlarının doğruluğu.", - "hostname_of_the_device": "Cihazın ana bilgisayar adı.", - "hostname": "Ana bilgisayar adı", - "mac_description": "Cihazın MAC adresi.", - "see": "Gör", - "log_description": "Kayıt defterinde özel bir giriş oluşturur.", + "clears_the_playlist": "Çalma listesini temizler.", + "clear_playlist": "Çalma listesini temizle", + "selects_the_next_track": "Sonraki parçayı seçer.", + "pauses": "Duraklar.", + "starts_playing": "Oynamaya başlar.", + "toggles_play_pause": "Oynat/duraklat arasında geçiş yapar.", + "selects_the_previous_track": "Bir önceki parçayı seçer.", + "seek": "Arayın", + "stops_playing": "Çalmayı durdurur.", + "starts_playing_specified_media": "Belirtilen medyayı oynatmaya başlar.", + "announce": "Duyurun", + "enqueue": "Sıraya almak", + "repeat_mode_to_set": "Ayarlanacak tekrar modu.", + "select_sound_mode_description": "Belirli bir ses modunu seçer.", + "select_sound_mode": "Ses modunu seçin", + "select_source": "Kaynak seçin", + "shuffle_description": "Karıştırma modunun etkin olup olmadığı.", + "unjoin": "Ayrılma", + "turns_down_the_volume": "Sesi kısar.", + "turn_down_volume": "Sesi kısın", + "volume_mute_description": "Medya yürütücünün sesini kapatır veya açar.", + "is_volume_muted_description": "Sessize alınıp alınmayacağını tanımlar.", + "mute_unmute_volume": "Sesi kapat/aç", + "sets_the_volume_level": "Ses seviyesini ayarlar.", + "set_volume": "Ses seviyesini ayarla", + "turns_up_the_volume": "Ses seviyesini yükseltir.", + "turn_up_volume": "Sesi açın", + "apply_filter": "Filtre uygula", + "days_to_keep": "Saklanacak gün", + "repack": "Yeniden Paketle", + "purge": "Tasfiye", + "domains_to_remove": "Kaldırılacak alanlar", + "entity_globs_to_remove": "Kaldırılacak varlık küreleri", + "entities_to_remove": "Kaldırılacak varlıklar", + "purge_entities": "Varlıkları temizleyin", + "decrease_speed_description": "Fanın hızını azaltır.", + "percentage_step_description": "Hızı bir yüzde adımı kadar artırır.", + "decrease_speed": "Hızı azalt", + "increase_speed_description": "Fanın hızını artırır.", + "increase_speed": "Hızı artır", + "oscillate_description": "Fanın salınımını kontrol eder.", + "turn_on_off_oscillation": "Salınımı açın/kapatın.", + "set_direction_description": "Fan dönüş yönünü ayarlar.", + "direction_to_rotate": "Döndürme yönü.", + "set_direction": "Yönü ayarla", + "sets_the_fan_speed": "Fan hızını ayarlar.", + "speed_of_the_fan": "Fan hızı.", + "percentage": "Yüzde", + "set_speed": "Hız ayarla", + "sets_preset_mode": "Ön ayar modunu ayarlar.", + "set_preset_mode": "Ön ayar modunu ayarla", + "toggles_the_fan_on_off": "Fanı açar/kapatır.", + "turns_fan_off": "Fanı kapatır.", + "turns_fan_on": "Fanı açar.", "apply_description": "Yapılandırma ile bir sahneyi etkinleştirir.", "entities_description": "Varlıkların ve hedef durumlarının listesi.", "entities_state": "Varlıkların durumu", + "transition": "Geçiş", "apply": "Uygula", "creates_a_new_scene": "Yeni bir sahne oluşturur.", "scene_id_description": "Yeni sahnenin varlık kimliği.", @@ -2823,6 +2939,118 @@ "snapshot_entities": "Anlık görüntü varlıkları", "delete_description": "Dinamik olarak oluşturulmuş bir sahneyi siler.", "activates_a_scene": "Bir sahneyi etkinleştirir.", + "selects_the_first_option": "İlk seçeneği seçer.", + "first": "Birinci", + "selects_the_last_option": "Son seçeneği seçer.", + "select_the_next_option": "Bir sonraki seçeneği seçin.", + "selects_an_option": "Bir seçenek seçer.", + "option_to_be_selected": "Seçilecek seçenek.", + "selects_the_previous_option": "Önceki seçeneği seçer.", + "sets_the_options": "Seçenekleri ayarlar.", + "list_of_options": "Seçenekler listesi.", + "set_options": "Seçenekleri ayarla", + "closes_a_valve": "Bir vanayı kapatır.", + "opens_a_valve": "Bir vana açar.", + "set_valve_position_description": "Bir vanay belirli bir konuma hareket ettirir.", + "stops_the_valve_movement": "Vana hareketini durdurur.", + "toggles_a_valve_open_closed": "Bir vanayı açık/kapalı duruma getirir.", + "load_url_description": "Fully Kiosk Browser'a bir URL yükler.", + "url_to_load": "Yüklenecek URL.", + "load_url": "URL'yi yükle", + "configuration_parameter_to_set": "Ayarlanacak yapılandırma parametresi.", + "set_configuration": "Yapılandırmayı Ayarla", + "application_description": "Başlatılacak uygulamanın paket adı.", + "start_application": "Uygulamayı Başlat", + "command_description": "Google Asistan'a gönderilecek komut(lar).", + "command": "Komuta", + "media_player_entity": "Medya oynatıcı varlığı", + "send_text_command": "Metin komutu gönder", + "code_description": "Kilidi açmak için kullanılan kod.", + "arm_with_custom_bypass": "Özel baypas ile devreye alma", + "alarm_arm_vacation_description": "Alarmı ayarlar: _tatil için alarmdevrede_.", + "disarms_the_alarm": "Alarmı devre dışı bırakır.", + "alarm_trigger_description": "Harici bir alarm tetikleyiciyi etkinleştirir.", + "extract_media_url_description": "Medya URL'sini bir hizmetten çıkarın.", + "format_query": "Biçim sorgusu", + "url_description": "Medyanın bulunabileceği URL.", + "media_url": "Medya URL'si", + "get_media_url": "Medya URL'sini al", + "play_media_description": "Dosyayı verilen URL'den indirir.", + "sets_a_random_effect": "Rastgele bir etki ayarlar.", + "sequence_description": "HSV dizilerinin listesi (Maks. 16).", + "backgrounds": "Arka Planlar", + "initial_brightness": "İlk parlaklık.", + "range_of_brightness": "Parlaklık aralığı.", + "brightness_range": "Parlaklık aralığı", + "fade_off": "Sönüyor", + "range_of_hue": "Ton aralığı.", + "hue_range": "Ton aralığı", + "initial_hsv_sequence": "İlk HSV dizisi.", + "initial_states": "İlk durumlar", + "random_seed": "Rastgele tohum", + "range_of_saturation": "Doygunluk aralığı.", + "saturation_range": "Doygunluk aralığı", + "segments_description": "Segmentlerin Listesi (tümü için 0).", + "segments": "Segmentler", + "range_of_transition": "Geçiş aralığı.", + "transition_range": "Geçiş aralığı", + "random_effect": "Rastgele efekt", + "sets_a_sequence_effect": "Bir dizi efekti ayarlar.", + "repetitions_for_continuous": "Tekrarlar (sürekli için 0).", + "repeats": "Tekrarlar", + "sequence": "Sıra", + "speed_of_spread": "Yayılma hızı.", + "spread": "Yayılma", + "sequence_effect": "Dizi efekti", + "press_the_button_entity": "Varlık düğmesine basın.", + "see_description": "Görülen izlenen bir cihazı kaydeder.", + "battery_description": "Cihazın pil seviyesi.", + "gps_coordinates": "GPS koordinatları", + "gps_accuracy_description": "GPS koordinatlarının doğruluğu.", + "hostname_of_the_device": "Cihazın ana bilgisayar adı.", + "hostname": "Ana bilgisayar adı", + "mac_description": "Cihazın MAC adresi.", + "mac_address": "MAC adresi", + "see": "Gör", + "process_description": "Kopyalanmış bir metinden bir konuşma başlatır.", + "agent": "Aracı", + "conversation_id": "Konuşma Kimliği", + "language_description": "Konuşma üretimi için kullanılacak dil.", + "transcribed_text_input": "Yazıya dökülmüş metin girişi.", + "process": "İşlem", + "reloads_the_intent_configuration": "Amaç yapılandırmasını yeniden yükler.", + "conversation_agent_to_reload": "Konuşma aracısı yeniden yüklenecek.", + "create_description": "**Bildirimler** panelinde bir bildirim gösterir.", + "message_description": "Kayıt defteri girişinin mesajı.", + "notification_id": "Bildirim Kimliği", + "title_description": "Bildirim mesajınızın başlığı.", + "dismiss_description": "Bir bildirimi **Bildirimler** panelinden kaldırır.", + "notification_id_description": "Kaldırılacak bildirimin kimliği.", + "dismiss_all_description": "Tüm bildirimleri **Bildirimler** panelinden kaldırır.", + "notify_description": "Seçilen hedeflere bir bildirim mesajı gönderir.", + "data": "Veri", + "title_for_your_notification": "Bildiriminiz için başlık.", + "title_of_the_notification": "Bildirimin başlığı.", + "send_a_persistent_notification": "Kalıcı bildirim gönder", + "sends_a_notification_message": "Bir bildirim mesajı gönderir.", + "your_notification_message": "Bildirim mesajınız.", + "send_a_notification_message": "Bir bildirim mesajı gönder", + "device_description": "Komutun gönderileceği cihaz kimliği.", + "delete_command": "Komutu sil", + "alternative": "Alternatif", + "command_type_description": "Öğrenilecek komut türü.", + "command_type": "Komut türü", + "timeout_description": "Öğrenilecek komut için zaman aşımı.", + "learn_command": "Komut öğren", + "delay_seconds": "Gecikme saniyeleri", + "hold_seconds": "Saniye tutun", + "send_command": "Komut gönder", + "toggles_a_device_on_off": "Bir cihazı açar/kapatır.", + "turns_the_device_off": "Cihazı kapatır.", + "turn_on_description": "Güç açma komutunu gönderir.", + "stops_a_running_script": "Çalışan bir komut dosyasını durdurur.", + "locks_a_lock": "Bir kilidi kilitler.", + "opens_a_lock": "Bir kilidi açar.", "turns_auxiliary_heater_on_off": "Yardımcı ısıtıcıyı açar/kapatır.", "aux_heat_description": "Yardımcı ısıtıcının yeni değeri.", "auxiliary_heating": "Yardımcı ısıtma", @@ -2834,10 +3062,7 @@ "set_target_humidity": "Hedef nemi ayarla", "sets_hvac_operation_mode": "HVAC çalışma modunu ayarlar.", "hvac_operation_mode": "HVAC çalışma modu.", - "hvac_mode": "HVAC modu", "set_hvac_mode": "HVAC modunu ayarla", - "sets_preset_mode": "Ön ayar modunu ayarlar.", - "set_preset_mode": "Ön ayar modunu ayarla", "sets_swing_operation_mode": "Salınım çalışma modunu ayarlar.", "swing_operation_mode": "Kaydırma çalışma modu.", "set_swing_mode": "Salınım modunu ayarla", @@ -2849,74 +3074,25 @@ "set_target_temperature": "Hedef sıcaklığı ayarla", "turns_climate_device_off": "Klima cihazını kapatır.", "turns_climate_device_on": "Klima cihazını açar.", - "clears_all_log_entries": "Tüm günlükleri temizler.", - "clear_all": "Tümünü temizle", - "write_log_entry": "Günlük girişi yazın.", - "log_level": "Günlük düzeyi.", - "level": "Düzey", - "message_to_log": "Günlüğe kaydedilecek ileti.", - "write": "Yaz", - "device_description": "Komutun gönderileceği cihaz kimliği.", - "delete_command": "Komutu sil", - "alternative": "Alternatif", - "command_type_description": "Öğrenilecek komut türü.", - "command_type": "Komut türü", - "timeout_description": "Öğrenilecek komut için zaman aşımı.", - "learn_command": "Komut öğren", - "delay_seconds": "Gecikme saniyeleri", - "hold_seconds": "Saniye tutun", - "send_command": "Komut gönder", - "toggles_a_device_on_off": "Bir cihazı açar/kapatır.", - "turns_the_device_off": "Cihazı kapatır.", - "turn_on_description": "Güç açma komutunu gönderir.", - "clears_the_playlist": "Çalma listesini temizler.", - "clear_playlist": "Çalma listesini temizle", - "selects_the_next_track": "Sonraki parçayı seçer.", - "pauses": "Duraklar.", - "starts_playing": "Oynamaya başlar.", - "toggles_play_pause": "Oynat/duraklat arasında geçiş yapar.", - "selects_the_previous_track": "Bir önceki parçayı seçer.", - "seek": "Arayın", - "stops_playing": "Çalmayı durdurur.", - "starts_playing_specified_media": "Belirtilen medyayı oynatmaya başlar.", - "announce": "Duyurun", - "enqueue": "Sıraya almak", - "repeat_mode_to_set": "Ayarlanacak tekrar modu.", - "select_sound_mode_description": "Belirli bir ses modunu seçer.", - "select_sound_mode": "Ses modunu seçin", - "select_source": "Kaynak seçin", - "shuffle_description": "Karıştırma modunun etkin olup olmadığı.", - "toggle_description": "Bir otomasyonu değiştirir (etkinleştirir / devre dışı bırakır).", - "unjoin": "Ayrılma", - "turns_down_the_volume": "Sesi kısar.", - "turn_down_volume": "Sesi kısın", - "volume_mute_description": "Medya yürütücünün sesini kapatır veya açar.", - "is_volume_muted_description": "Sessize alınıp alınmayacağını tanımlar.", - "mute_unmute_volume": "Sesi kapat/aç", - "sets_the_volume_level": "Ses seviyesini ayarlar.", - "set_volume": "Ses seviyesini ayarla", - "turns_up_the_volume": "Ses seviyesini yükseltir.", - "turn_up_volume": "Sesi açın", - "topic_to_listen_to": "Dinlenecek konu.", - "topic": "Konu", - "export": "Dışa aktar", - "publish_description": "Bir MQTT konusuna mesaj yayınlar.", - "the_payload_to_publish": "Yayınlanacak yük.", - "payload": "Yük", - "payload_template": "Yük şablonu", - "qos": "QoS", - "retain": "Sürdürmek", - "topic_to_publish_to": "Yayınlanacak konu.", - "publish": "Yayınla", + "add_event_description": "Yeni bir takvim etkinliği ekler.", + "calendar_id_description": "İstediğiniz takvimin kimliği.", + "calendar_id": "Takvim Kimliği", + "description_description": "Etkinliğin açıklaması. İsteğe bağlı.", + "summary_description": "Etkinliğin başlığı olarak işlev görür.", + "creates_event": "Etkinlik oluşturur", + "dashboard_path": "Pano yolu", + "view_path": "Yolu görüntüle", + "show_dashboard_view": "Pano görünümünü göster", "brightness_value": "Parlaklık değeri", "a_human_readable_color_name": "İnsan tarafından okunabilen bir renk adı.", "color_name": "Renk adı", "color_temperature_in_mireds": "Karışıklıklarda renk sıcaklığı.", "light_effect": "Işık efekti.", - "flash": "Flaş", "hue_sat_color": "Ton/doymuş renk", "color_temperature_in_kelvin": "Kelvin cinsinden renk sıcaklığı.", "profile_description": "Kullanılacak ışık profilinin adı.", + "rgbw_color": "RGBW rengi", + "rgbww_color": "RGBWW-renkli", "white_description": "Işığı beyaz moda ayarlayın.", "xy_color": "XY rengi", "turn_off_description": "Bir veya daha fazla ışığı kapatın.", @@ -2924,182 +3100,72 @@ "brightness_step_value": "Parlaklık adım değeri", "brightness_step_pct_description": "Parlaklığı yüzde olarak değiştirin.", "brightness_step": "Parlaklık adımı", - "rgbw_color": "RGBW rengi", - "rgbww_color": "RGBWW-renkli", - "reloads_the_automation_configuration": "Otomasyon yapılandırmasını yeniden yükler.", - "trigger_description": "Bir otomasyonun eylemlerini tetikler.", - "skip_conditions": "Koşulları atla", - "trigger": "Tetikle", - "disables_an_automation": "Bir otomasyonu devre dışı bırakır.", - "stops_currently_running_actions": "Çalışmakta olan eylemleri durdurur.", - "stop_actions": "Eylemleri durdurun", - "enables_an_automation": "Bir otomasyonu etkinleştirir.", - "dashboard_path": "Pano yolu", - "view_path": "Yolu görüntüle", - "show_dashboard_view": "Pano görünümünü göster", - "toggles_the_siren_on_off": "Sireni açar/kapatır.", - "turns_the_siren_off": "Sireni kapatır.", - "turns_the_siren_on": "Sireni açar.", - "tone": "Ton", - "extract_media_url_description": "Bir hizmetten medya URL'sini çıkarın.", - "format_query": "Biçim sorgusu", - "url_description": "Medyanın bulunabileceği URL.", - "media_url": "Medya URL'si", - "get_media_url": "Medya URL'sini al", - "play_media_description": "Dosyayı verilen URL'den indirir.", - "removes_a_group": "Bir grubu kaldırır.", - "object_id": "Nesne Kimliği", - "creates_updates_a_user_group": "Bir kullanıcı grubu oluşturur/günceller.", - "add_entities": "Varlık ekle", - "icon_description": "Grup için simgenin adı.", - "name_of_the_group": "Grubun adı.", - "remove_entities": "Varlıkları kaldır", - "selects_the_first_option": "İlk seçeneği seçer.", - "first": "Birinci", - "selects_the_last_option": "Son seçeneği seçer.", + "topic_to_listen_to": "Dinlenecek konu.", + "topic": "Konu", + "export": "Dışa aktar", + "publish_description": "Bir MQTT konusuna mesaj yayınlar.", + "the_payload_to_publish": "Yayınlanacak yük.", + "payload": "Yük", + "payload_template": "Yük şablonu", + "qos": "QoS", + "retain": "Sürdürmek", + "topic_to_publish_to": "Yayınlanacak konu.", + "publish": "Yayınla", "selects_the_next_option": "Sonraki seçeneği seçer.", - "cycle": "Döngü", - "selects_an_option": "Bir seçenek seçer.", - "option_to_be_selected": "Seçilecek seçenek.", - "selects_the_previous_option": "Önceki seçeneği seçer.", - "create_description": "**Bildirimler** panelinde bir bildirim gösterir.", - "notification_id": "Bildirim Kimliği", - "dismiss_description": "Bir bildirimi **Bildirimler** panelinden kaldırır.", - "notification_id_description": "Kaldırılacak bildirimin kimliği.", - "dismiss_all_description": "Tüm bildirimleri **Bildirimler** panelinden kaldırır.", - "cancels_a_timer": "Bir zamanlayıcıyı iptal eder.", - "changes_a_timer": "Bir zamanlayıcıyı değiştirir.", - "finishes_a_timer": "Bir zamanlayıcıyı bitirir.", - "pauses_a_timer": "Bir zamanlayıcıyı duraklatır.", - "starts_a_timer": "Bir zamanlayıcı başlatır.", - "duration_description": "Zamanlayıcının bitmesi için gereken süre. [isteğe bağlı].", - "select_the_next_option": "Bir sonraki seçeneği seçin.", - "sets_the_options": "Seçenekleri ayarlar.", - "list_of_options": "Seçenekler listesi.", - "set_options": "Seçenekleri ayarla", - "clear_skipped_update": "Atlanan güncellemeyi temizle", - "install_update": "Güncellemeyi yükle", - "skip_description": "Mevcut güncellemeyi atlandı olarak işaretler.", - "skip_update": "Güncellemeyi atla", - "set_default_level_description": "Entegrasyonlar için varsayılan günlük düzeyini ayarlar.", - "level_description": "Tüm entegrasyonlar için varsayılan önem düzeyi.", - "set_default_level": "Varsayılan seviyeyi ayarla", - "set_level": "Seviyeyi ayarla", - "create_temporary_strict_connection_url_name": "Geçici bir katı bağlantı URL'si oluşturun", - "remote_connect": "Uzaktan bağlantı", - "remote_disconnect": "Uzaktan bağlantı kesme", - "set_value_description": "Bir sayının değerini ayarlar.", - "value_description": "Yapılandırma parametresinin değeri.", - "value": "Değer", - "closes_a_cover": "Bir kepengi kapatır.", - "close_tilt": "Kepengi kapat", - "opens_a_cover": "Bir kepenk açar.", - "tilts_a_cover_open": "Bir kepengi açar.", - "open_tilt": "Kepenk aç", - "set_cover_position_description": "Bir kapağı belirli bir konuma taşır.", - "target_position": "Hedef pozisyon.", - "set_position": "Pozisyonu ayarla", - "target_tilt_positition": "Hedef kepenk pozisyonu.", - "set_tilt_position": "Eğim konumunu ayarlama", - "stops_the_cover_movement": "Kapak hareketini durdurur.", - "stop_cover_tilt_description": "Eğilen bir kapak hareketini durdurur.", - "stop_tilt": "Eğimi durdur", - "toggles_a_cover_open_closed": "Bir kapağı açar/kapatır.", - "toggle_cover_tilt_description": "Bir kapak eğimini açık/kapalı konuma getirir.", - "toggle_tilt": "Eğimi değiştir", - "toggles_the_helper_on_off": "Yardımcıyı açar/kapatır.", - "turns_off_the_helper": "Yardımcıyı kapatır.", - "turns_on_the_helper": "Yardımcıyı açar.", - "decrement_description": "Geçerli değeri 1 adım azaltır.", - "increment_description": "Değeri 1 adım artırır.", - "sets_the_value": "Değeri ayarlar.", - "the_target_value": "Hedef değer.", - "dump_log_objects": "Günlük nesnelerini dökümü", - "log_current_tasks_description": "Mevcut tüm eşzamansız görevleri günlüğe kaydeder.", - "log_current_asyncio_tasks": "Mevcut eşzamansız görevleri günlüğe kaydet", - "log_event_loop_scheduled": "Günlük olay döngüsü planlandı", - "log_thread_frames_description": "Tüm iş parçacıkları için geçerli çerçeveleri günlüğe kaydeder.", - "log_thread_frames": "Günlük iş parçacığı çerçeveleri", - "lru_stats_description": "Tüm lru önbelleklerinin istatistiklerini günlüğe kaydeder.", - "log_lru_stats": "LRU istatistiklerini günlüğe kaydet", - "starts_the_memory_profiler": "Bellek Profilcisi'ni başlatır.", - "seconds": "Saniye", - "memory": "Hafıza", - "set_asyncio_debug_description": "Asyncio hata ayıklamayı etkinleştirin veya devre dışı bırakın.", - "enabled_description": "Asyncio hata ayıklamanın etkinleştirilip etkinleştirilmeyeceği veya devre dışı bırakılacağı.", - "set_asyncio_debug": "Eşzamansız hata ayıklamayı ayarla", - "starts_the_profiler": "Profil Oluşturucuyu başlatır.", - "max_objects_description": "Günlüğe kaydedilecek maksimum nesne sayısı.", - "maximum_objects": "Maksimum nesne", - "scan_interval_description": "Günlük nesneleri arasındaki saniye sayısı.", - "scan_interval": "Tarama aralığı", - "start_logging_object_sources": "Nesne kaynaklarını günlüğe kaydetmeye başlayın", - "start_log_objects_description": "Bellekteki nesnelerin büyümesini günlüğe kaydetmeye başlar.", - "start_logging_objects": "Nesneleri günlüğe kaydetmeye başlayın", - "stop_logging_object_sources": "Nesne kaynaklarını günlüğe kaydetmeyi durdurma", - "stop_log_objects_description": "Bellekteki nesnelerin büyümesini günlüğe kaydetmeyi durdurur.", - "stop_logging_objects": "Nesneleri günlüğe kaydetmeyi durdurun", - "process_description": "Kopyalanmış bir metinden bir konuşma başlatır.", - "agent": "Aracı", - "conversation_id": "Konuşma Kimliği", - "transcribed_text_input": "Yazıya dökülmüş metin girişi.", - "process": "İşlem", - "reloads_the_intent_configuration": "Amaç yapılandırmasını yeniden yükler.", - "conversation_agent_to_reload": "Konuşma aracısı yeniden yüklenecek.", - "apply_filter": "Filtre uygula", - "days_to_keep": "Saklanacak gün", - "repack": "Yeniden Paketle", - "purge": "Tasfiye", - "domains_to_remove": "Kaldırılacak alanlar", - "entity_globs_to_remove": "Kaldırılacak varlık küreleri", - "entities_to_remove": "Kaldırılacak varlıklar", - "purge_entities": "Varlıkları temizleyin", - "reload_resources_description": "Pano kaynaklarını YAML yapılandırmasından yeniden yükler.", + "ptz_move_description": "Kamerayı belirli bir hızla hareket ettirin.", + "ptz_move_speed": "PTZ hareket hızı.", + "ptz_move": "PTZ hareketi", + "log_description": "Kayıt defterinde özel bir giriş oluşturur.", + "entity_id_description": "Mesajı oynatmak için medya oynatıcılar.", + "toggles_a_switch_on_off": "Bir anahtarı açar/kapatır.", + "turns_a_switch_off": "Bir anahtarı kapatır.", + "turns_a_switch_on": "Bir anahtarı açar.", "reload_themes_description": "YAML yapılandırmasından temaları yeniden yükler.", "reload_themes": "Temaları yeniden yükle", "name_of_a_theme": "Bir temanın adı.", "set_the_default_theme": "Varsayılan temayı ayarla", + "toggles_the_helper_on_off": "Yardımcıyı açar/kapatır.", + "turns_off_the_helper": "Yardımcıyı kapatır.", + "turns_on_the_helper": "Yardımcıyı açar.", "decrements_a_counter": "Bir sayacı azaltır.", "increments_a_counter": "Bir sayacı artırır.", "resets_a_counter": "Bir sayacı sıfırlar.", "sets_the_counter_value": "Sayaç değerini ayarlar.", - "code_description": "Kilidi açmak için kullanılan kod.", - "arm_with_custom_bypass": "Özel baypas ile devreye alma", - "alarm_arm_vacation_description": "Alarmı ayarlar: _tatil için alarmdevrede_.", - "disarms_the_alarm": "Alarmı devre dışı bırakır.", - "alarm_trigger_description": "Harici bir alarm tetikleyiciyi etkinleştirir.", + "remote_connect": "Uzaktan bağlantı", + "remote_disconnect": "Uzaktan bağlantı kesme", "get_weather_forecast": "Hava durumu tahminlerini alın.", "type_description": "Tahmin türü: günlük, saatlik veya günde iki kez.", "forecast_type": "Tahmin türü", "get_forecast": "Tahmin alın", "get_forecasts": "Tahminleri alın", - "load_url_description": "Fully Kiosk Browser'a bir URL yükler.", - "url_to_load": "Yüklenecek URL.", - "load_url": "URL'yi yükle", - "configuration_parameter_to_set": "Ayarlanacak yapılandırma parametresi.", - "set_configuration": "Yapılandırmayı Ayarla", - "application_description": "Başlatılacak uygulamanın paket adı.", - "start_application": "Uygulamayı Başlat", - "decrease_speed_description": "Fanın hızını azaltır.", - "percentage_step_description": "Hızı bir yüzde adımı kadar artırır.", - "decrease_speed": "Hızı azalt", - "increase_speed_description": "Fanın hızını artırır.", - "increase_speed": "Hızı artır", - "oscillate_description": "Fanın salınımını kontrol eder.", - "turn_on_off_oscillation": "Salınımı açın/kapatın.", - "set_direction_description": "Fan dönüş yönünü ayarlar.", - "direction_to_rotate": "Döndürme yönü.", - "set_direction": "Yönü ayarla", - "sets_the_fan_speed": "Fan hızını ayarlar.", - "speed_of_the_fan": "Fan hızı.", - "percentage": "Yüzde", - "set_speed": "Hız ayarla", - "toggles_the_fan_on_off": "Fanı açar/kapatır.", - "turns_fan_off": "Fanı kapatır.", - "turns_fan_on": "Fanı açar.", - "locks_a_lock": "Bir kilidi kilitler.", - "opens_a_lock": "Bir kilidi açar.", - "press_the_button_entity": "Varlık düğmesine basın.", + "disables_the_motion_detection": "Hareket algılamayı devre dışı bırakır.", + "disable_motion_detection": "Hareket algılamayı devre dışı bırak", + "enables_the_motion_detection": "Hareket algılamayı etkinleştirir.", + "enable_motion_detection": "Hareket algılamayı etkinleştir", + "format_description": "Medya oynatıcı tarafından desteklenen akış formatı.", + "format": "Biçim", + "media_player_description": "Akış için medya oynatıcılar.", + "play_stream": "Akışı oynat", + "filename": "Dosya adı", + "lookback": "Geriye Bakış", + "snapshot_description": "Bir kameradan anlık görüntü alır.", + "take_snapshot": "Anlık görüntü alın", + "turns_off_the_camera": "Kamerayı kapatır.", + "turns_on_the_camera": "Kamerayı açar.", + "clear_tts_cache": "TTS önbelleğini temizle", + "cache": "Önbellek", + "options_description": "Entegrasyona özgü seçenekleri içeren bir sözlük.", + "say_a_tts_message": "Bir TTS mesajı söyleyin", + "speak": "Konuş", + "broadcast_address": "Yayın adresi", + "broadcast_port_description": "Sihirli paketin gönderileceği bağlantı noktası.", + "broadcast_port": "Yayın bağlantı noktası", + "send_magic_packet": "Sihirli paket gönder", + "set_datetime_description": "Tarihi ve/veya saati ayarlar.", + "the_target_date": "Hedef tarih.", + "datetime_description": "Hedef tarih ve saat.", + "date_time": "Tarih ve saat", + "the_target_time": "Hedef zaman.", "bridge_identifier": "Köprü tanımlayıcısı", "configuration_payload": "Yapılandırma yükü", "entity_description": "deCONZ'da belirli bir cihaz uç noktasını temsil eder.", @@ -3108,23 +3174,25 @@ "device_refresh_description": "deCONZ'daki mevcut cihazları yeniler.", "device_refresh": "Cihaz yenileme", "remove_orphaned_entries": "Sahipsiz girişleri kaldır", - "closes_a_valve": "Bir vanayı kapatır.", - "opens_a_valve": "Bir vana açar.", - "set_valve_position_description": "Bir vanay belirli bir konuma hareket ettirir.", - "stops_the_valve_movement": "Vana hareketini durdurur.", - "toggles_a_valve_open_closed": "Bir vanayı açık/kapalı duruma getirir.", - "add_event_description": "Yeni bir takvim etkinliği ekler.", - "calendar_id_description": "İstediğiniz takvimin kimliği.", - "calendar_id": "Takvim Kimliği", - "description_description": "Etkinliğin açıklaması. İsteğe bağlı.", - "summary_description": "Etkinliğin başlığı olarak işlev görür.", - "creates_event": "Etkinlik oluşturur", - "ptz_move_description": "Kamerayı belirli bir hızla hareket ettirin.", - "ptz_move_speed": "PTZ hareket hızı.", - "ptz_move": "PTZ hareketi", - "set_datetime_description": "Tarihi ve/veya saati ayarlar.", - "the_target_date": "Hedef tarih.", - "datetime_description": "Hedef tarih ve saat.", - "date_time": "Tarih ve saat", - "the_target_time": "Hedef zaman." + "removes_a_group": "Bir grubu kaldırır.", + "object_id": "Nesne Kimliği", + "creates_updates_a_user_group": "Bir kullanıcı grubu oluşturur/günceller.", + "add_entities": "Varlık ekle", + "icon_description": "Grup için simgenin adı.", + "name_of_the_group": "Grubun adı.", + "remove_entities": "Varlıkları kaldır", + "cancels_a_timer": "Bir zamanlayıcıyı iptal eder.", + "changes_a_timer": "Bir zamanlayıcıyı değiştirir.", + "finishes_a_timer": "Bir zamanlayıcıyı bitirir.", + "pauses_a_timer": "Bir zamanlayıcıyı duraklatır.", + "starts_a_timer": "Bir zamanlayıcı başlatır.", + "duration_description": "Zamanlayıcının bitmesi için gereken süre. [isteğe bağlı].", + "set_default_level_description": "Entegrasyonlar için varsayılan günlük düzeyini ayarlar.", + "level_description": "Tüm entegrasyonlar için varsayılan önem düzeyi.", + "set_default_level": "Varsayılan seviyeyi ayarla", + "set_level": "Seviyeyi ayarla", + "clear_skipped_update": "Atlanan güncellemeyi temizle", + "install_update": "Güncellemeyi yükle", + "skip_description": "Mevcut güncellemeyi atlandı olarak işaretler.", + "skip_update": "Güncellemeyi atla" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/types.ts b/packages/core/src/hooks/useLocale/locales/types.ts index ef87240..fba6f27 100644 --- a/packages/core/src/hooks/useLocale/locales/types.ts +++ b/packages/core/src/hooks/useLocale/locales/types.ts @@ -38,6 +38,7 @@ export type Locales = | "lb" | "lt" | "lv" + | "mk" | "ml" | "nl" | "nb" @@ -170,7 +171,7 @@ export type LocaleKeys = | "open" | "open_door" | "really_open" - | "door_open" + | "done" | "source" | "sound_mode" | "browse_media" @@ -249,6 +250,7 @@ export type LocaleKeys = | "loading" | "refresh" | "delete" + | "delete_all" | "download" | "duplicate" | "remove" @@ -291,6 +293,9 @@ export type LocaleKeys = | "media_content_type" | "upload_failed" | "unknown_file" + | "select_image" + | "upload_picture" + | "image_url" | "latitude" | "longitude" | "radius" @@ -304,6 +309,7 @@ export type LocaleKeys = | "date_and_time" | "duration" | "entity" + | "floor" | "icon" | "location" | "number" @@ -342,6 +348,7 @@ export type LocaleKeys = | "was_opened" | "was_closed" | "is_opening" + | "is_opened" | "is_closing" | "was_unlocked" | "was_locked" @@ -391,10 +398,13 @@ export type LocaleKeys = | "sort_by_sortcolumn" | "group_by_groupcolumn" | "don_t_group" + | "collapse_all" + | "expand_all" | "selected_selected" | "close_selection_mode" | "select_all" | "select_none" + | "customize_table" | "conversation_agent" | "none" | "country" @@ -444,7 +454,6 @@ export type LocaleKeys = | "ui_components_area_picker_add_dialog_name" | "ui_components_area_picker_add_dialog_text" | "show_floors" - | "floor" | "add_new_floor_name" | "add_new_floor" | "floor_picker_no_floors" @@ -522,6 +531,9 @@ export type LocaleKeys = | "last_month" | "this_year" | "last_year" + | "reset_to_default_size" + | "number_of_columns" + | "number_of_rows" | "never" | "history_integration_disabled" | "loading_state_history" @@ -553,6 +565,10 @@ export type LocaleKeys = | "filtering_by" | "number_hidden" | "ungrouped" + | "customize" + | "hide_column_title" + | "show_column_title" + | "restore_defaults" | "message" | "gender" | "male" @@ -1063,7 +1079,6 @@ export type LocaleKeys = | "notification_toast_no_matching_link_found" | "app_configuration" | "sidebar_toggle" - | "done" | "hide_panel" | "show_panel" | "show_more_information" @@ -1157,9 +1172,11 @@ export type LocaleKeys = | "view_configuration" | "name_view_configuration" | "add_view" + | "background_title" | "edit_view" | "move_view_left" | "move_view_right" + | "background" | "badges" | "view_type" | "masonry_default" @@ -1190,6 +1207,8 @@ export type LocaleKeys = | "increase_card_position" | "more_options" | "search_cards" + | "config" + | "layout" | "move_card_error_title" | "choose_a_view" | "dashboard" @@ -1202,8 +1221,7 @@ export type LocaleKeys = | "delete_section" | "delete_section_text_named_section_only" | "delete_section_text_unnamed_section_only" - | "edit_name" - | "add_name" + | "edit_section" | "suggest_card_header" | "pick_different_card" | "add_to_dashboard" @@ -1413,177 +1431,121 @@ export type LocaleKeys = | "warning_entity_unavailable" | "invalid_timestamp" | "invalid_display_format" + | "now" | "compare_data" | "reload_ui" - | "wake_on_lan" - | "text_to_speech_tts" - | "thread" - | "my_home_assistant" - | "solis_inverter" - | "dhcp_discovery" - | "switch" - | "camera" - | "device_automation" - | "repairs" - | "ring" - | "home_assistant_api" - | "file_upload" - | "group" - | "timer" - | "zone" - | "schedule" - | "home_assistant_cloud" - | "default_config" - | "shelly" - | "network_configuration" - | "cover" - | "home_assistant_alerts" - | "input_boolean" + | "profiler" | "http" - | "dlna_digital_media_renderer" - | "conversation" - | "recorder" - | "home_assistant_frontend" + | "cover" + | "home_assistant_core_integration" + | "bluetooth" + | "input_button" + | "samsungtv_smart" | "alarm_control_panel" - | "fully_kiosk_browser" - | "fan" - | "home_assistant_onboarding" + | "device_tracker" + | "trace" + | "stream" + | "person" | "google_calendar" - | "meteorologisk_institutt_met_no" - | "raspberry_pi" + | "mqtt" + | "home_assistant_onboarding" + | "input_boolean" + | "camera" + | "text_to_speech_tts" | "input_datetime" + | "dlna_digital_media_renderer" + | "webhook" + | "diagnostics" + | "siren" + | "fitbit" + | "automation" + | "home_assistant_supervisor" + | "command_line" + | "valve" + | "assist_pipeline" + | "fully_kiosk_browser" + | "wake_word_detection" + | "media_extractor" | "openweathermap" - | "script" - | "speedtest_net" - | "scene" - | "climate" + | "conversation" + | "android_tv_remote" + | "default_config" + | "google_cast" + | "broadlink" | "filesize" - | "media_extractor" - | "esphome" - | "persistent_notification" + | "speedtest_net" + | "reolink_ip_nvr_camera" + | "home_assistant_cloud" | "restful_command" - | "image_upload" - | "webhook" - | "media_source" - | "application_credentials" - | "local_calendar" - | "trace" - | "input_number" - | "intent" + | "configuration" + | "raspberry_pi" + | "switchbot_bluetooth" + | "home_assistant_alerts" + | "wake_on_lan" | "input_text" - | "rpi_power_title" - | "weather" - | "deconz" - | "blueprint" - | "zero_configuration_networking_zeroconf" - | "system_monitor" + | "group" + | "auth" + | "thread" + | "zone" + | "ffmpeg" + | "system_log" + | "schedule" + | "bluetooth_adapters" + | "solis_inverter" | "google_assistant_sdk" - | "google_assistant" - | "tp_link_smart_home" - | "broadlink" - | "ssdp_title" + | "home_assistant_websocket_api" + | "persistent_notification" + | "remote" + | "home_assistant_api" + | "rpi_power_title" + | "script" | "ibeacon_tracker" + | "usb_discovery" + | "switch" + | "repairs" + | "blueprint" | "wyoming_protocol" - | "device_tracker" - | "system_log" + | "dhcp_discovery" + | "weather" + | "meteorologisk_institutt_met_no" + | "ring" | "hacs" - | "remote" + | "image_upload" + | "google_assistant" + | "shelly" + | "ssdp_title" + | "device_automation" + | "input_number" + | "binary_sensor" + | "intent" + | "recorder" + | "media_source" + | "fan" + | "scene" + | "input_select" | "localtuya" - | "mqtt" - | "google_cast" - | "event" - | "stream" - | "samsungtv_smart" + | "daikin_ac" + | "network_configuration" + | "tp_link_smart_home" | "speech_to_text_stt" - | "configuration" - | "bluetooth" - | "command_line" - | "profiler" + | "event" + | "system_monitor" + | "my_home_assistant" + | "file_upload" + | "climate" + | "home_assistant_frontend" + | "counter" + | "esphome" + | "zero_configuration_networking_zeroconf" | "mobile_app" - | "diagnostics" - | "daikin_ac" - | "reolink_ip_nvr_camera" - | "person" - | "home_assistant_supervisor" - | "home_assistant_core_integration" - | "ffmpeg" - | "fitbit" - | "usb_discovery" - | "siren" - | "input_select" + | "deconz" + | "timer" + | "application_credentials" | "logger" - | "assist_pipeline" - | "automation" - | "bluetooth_adapters" - | "auth" - | "input_button" - | "home_assistant_websocket_api" - | "wake_word_detection" - | "counter" - | "binary_sensor" - | "android_tv_remote" - | "switchbot_bluetooth" - | "valve" - | "os_agent_version" - | "apparmor_version" - | "cpu_percent" - | "disk_free" - | "disk_total" - | "disk_used" - | "memory_percent" - | "version" - | "newest_version" + | "local_calendar" | "synchronize_devices" - | "device_name_current" - | "current_consumption" - | "device_name_current_consumption" - | "today_s_consumption" - | "device_name_today_s_consumption" - | "total_consumption" - | "device_name_total_consumption" - | "device_name_voltage" - | "led" - | "bytes_received" - | "server_country" - | "server_id" - | "server_name" - | "ping" - | "upload" - | "bytes_sent" - | "air_quality_index" - | "illuminance" - | "noise" - | "overload" - | "voltage" - | "estimated_distance" - | "vendor" - | "assist_in_progress" - | "auto_gain" - | "mic_volume" - | "noise_suppression" - | "noise_suppression_level" - | "off" - | "preferred" - | "mute" - | "satellite_enabled" - | "ding" - | "doorbell_volume" - | "last_activity" - | "last_ding" - | "last_motion" - | "voice_volume" - | "volume" - | "wi_fi_signal_category" - | "wi_fi_signal_strength" - | "battery_level" - | "size" - | "size_in_bytes" - | "finished_speaking_detection" - | "aggressive" - | "default" - | "relaxed" - | "call_active" - | "quiet" + | "last_scanned_by_device_id_name" + | "tag_id" | "heavy" | "mild" | "button_down" @@ -1604,14 +1566,49 @@ export type LocaleKeys = | "closing" | "failure" | "opened" - | "device_admin" - | "kiosk_mode" - | "plugged_in" - | "load_start_url" - | "restart_browser" - | "restart_device" - | "send_to_background" + | "battery_level" + | "os_agent_version" + | "apparmor_version" + | "cpu_percent" + | "disk_free" + | "disk_total" + | "disk_used" + | "memory_percent" + | "version" + | "newest_version" + | "next_dawn" + | "next_dusk" + | "next_midnight" + | "next_noon" + | "next_rising" + | "next_setting" + | "solar_azimuth" + | "solar_elevation" + | "solar_rising" + | "compressor_energy_consumption" + | "compressor_estimated_power_consumption" + | "compressor_frequency" + | "cool_energy_consumption" + | "energy_consumption" + | "heat_energy_consumption" + | "inside_temperature" + | "outside_temperature" + | "assist_in_progress" + | "preferred" + | "finished_speaking_detection" + | "aggressive" + | "default" + | "relaxed" + | "device_admin" + | "kiosk_mode" + | "plugged_in" + | "load_start_url" + | "restart_browser" + | "restart_device" + | "send_to_background" | "bring_to_foreground" + | "screenshot" + | "overlay_message" | "screen_brightness" | "screen_off_timer" | "screensaver_brightness" @@ -1627,34 +1624,86 @@ export type LocaleKeys = | "maintenance_mode" | "motion_detection" | "screensaver" - | "compressor_energy_consumption" - | "compressor_estimated_power_consumption" - | "compressor_frequency" - | "cool_energy_consumption" - | "energy_consumption" - | "heat_energy_consumption" - | "inside_temperature" - | "outside_temperature" - | "next_dawn" - | "next_dusk" - | "next_midnight" - | "next_noon" - | "next_rising" - | "next_setting" - | "solar_azimuth" - | "solar_elevation" - | "solar_rising" - | "calibration" - | "auto_lock_paused" - | "timeout" - | "unclosed_alarm" - | "unlocked_alarm" - | "bluetooth_signal" - | "light_level" - | "wi_fi_signal" - | "momentary" - | "pull_retract" + | "battery_low" + | "cloud_connection" + | "humidity_warning" + | "overheated" + | "temperature_warning" + | "update_available" + | "dry" + | "wet" + | "stop_alarm" + | "test_alarm" + | "turn_off_in" + | "smooth_off" + | "smooth_on" + | "temperature_offset" + | "alarm_sound" + | "alarm_volume" + | "light_preset" + | "alarm_source" + | "auto_off_at" + | "available_firmware_version" + | "this_month_s_consumption" + | "today_s_consumption" + | "total_consumption" + | "device_name_current" + | "current_consumption" + | "device_name_current_consumption" + | "current_firmware_version" + | "device_time" + | "on_since" + | "report_interval" + | "signal_strength" + | "signal_level" + | "ssid" + | "device_name_today_s_consumption" + | "device_name_total_consumption" + | "voltage" + | "device_name_voltage" + | "auto_off_enabled" + | "auto_update_enabled" + | "fan_sleep_mode" + | "led" + | "smooth_transitions" + | "process_process" + | "disk_free_mount_point" + | "disk_use_mount_point" + | "disk_usage_mount_point" + | "ipv_address_ip_address" + | "last_boot" + | "load_m" + | "memory_free" + | "memory_use" + | "memory_usage" + | "network_in_interface" + | "network_out_interface" + | "packets_in_interface" + | "packets_out_interface" + | "processor_temperature" + | "processor_use" + | "swap_free" + | "swap_use" + | "swap_usage" + | "network_throughput_in_interface" + | "network_throughput_out_interface" + | "estimated_distance" + | "vendor" + | "air_quality_index" + | "illuminance" + | "noise" + | "overload" + | "size" + | "size_in_bytes" + | "bytes_received" + | "server_country" + | "server_id" + | "server_name" + | "ping" + | "upload" + | "bytes_sent" | "animal" + | "detected" | "animal_lens" | "face" | "face_lens" @@ -1664,6 +1713,9 @@ export type LocaleKeys = | "person_lens" | "pet" | "pet_lens" + | "sleep_status" + | "awake" + | "sleeping" | "vehicle" | "vehicle_lens" | "visitor" @@ -1721,23 +1773,26 @@ export type LocaleKeys = | "image_sharpness" | "motion_sensitivity" | "pir_sensitivity" + | "volume" | "zoom" | "auto_quick_reply_message" + | "off" | "auto_track_method" | "digital" | "digital_first" | "pan_tilt_first" | "day_night_mode" | "black_white" + | "doorbell_led" + | "always_on" + | "state_alwaysonatnight" + | "stay_off" | "floodlight_mode" | "adaptive" | "auto_adaptive" | "on_at_night" | "play_quick_reply_message" | "ptz_preset" - | "always_on" - | "state_alwaysonatnight" - | "stay_off" | "battery_percentage" | "battery_state" | "charge_complete" @@ -1751,6 +1806,7 @@ export type LocaleKeys = | "hdd_hdd_index_storage" | "ptz_pan_position" | "sd_hdd_index_storage" + | "wi_fi_signal" | "auto_focus" | "auto_tracking" | "buzzer_on_event" @@ -1759,6 +1815,7 @@ export type LocaleKeys = | "ftp_upload" | "guard_return" | "hdr" + | "manual_record" | "pir_enabled" | "pir_reduce_false_alarm" | "ptz_patrol" @@ -1766,79 +1823,87 @@ export type LocaleKeys = | "record" | "record_audio" | "siren_on_event" - | "process_process" - | "disk_free_mount_point" - | "disk_use_mount_point" - | "disk_usage_mount_point" - | "ipv_address_ip_address" - | "last_boot" - | "load_m" - | "memory_free" - | "memory_use" - | "memory_usage" - | "network_in_interface" - | "network_out_interface" - | "packets_in_interface" - | "packets_out_interface" - | "processor_temperature" - | "processor_use" - | "swap_free" - | "swap_use" - | "swap_usage" - | "network_throughput_in_interface" - | "network_throughput_out_interface" - | "device_trackers" - | "gps_accuracy" + | "call_active" + | "quiet" + | "auto_gain" + | "mic_volume" + | "noise_suppression" + | "noise_suppression_level" + | "mute" + | "satellite_enabled" + | "calibration" + | "auto_lock_paused" + | "timeout" + | "unclosed_alarm" + | "unlocked_alarm" + | "bluetooth_signal" + | "light_level" + | "momentary" + | "pull_retract" + | "ding" + | "doorbell_volume" + | "last_activity" + | "last_ding" + | "last_motion" + | "voice_volume" + | "wi_fi_signal_category" + | "wi_fi_signal_strength" + | "automatic" + | "box" + | "step" + | "apparent_power" + | "atmospheric_pressure" + | "carbon_dioxide" + | "data_rate" + | "distance" + | "stored_energy" + | "frequency" + | "irradiance" + | "nitrogen_dioxide" + | "nitrogen_monoxide" + | "nitrous_oxide" + | "ozone" + | "ph" + | "pm" + | "power_factor" + | "precipitation_intensity" + | "pressure" + | "reactive_power" + | "sound_pressure" + | "speed" + | "sulphur_dioxide" + | "vocs" + | "volume_flow_rate" + | "stored_volume" + | "weight" + | "available_tones" + | "end_time" + | "start_time" + | "managed_via_ui" + | "next_event" + | "stopped" + | "garage" | "running_automations" - | "max_running_scripts" + | "id" + | "max_running_automations" | "run_mode" | "parallel" | "queued" | "single" - | "end_time" - | "start_time" - | "recording" - | "streaming" - | "access_token" - | "brand" - | "stream_type" - | "hls" - | "webrtc" - | "model" - | "bluetooth_le" - | "gps" - | "router" - | "cool" - | "dry" - | "fan_only" - | "heat_cool" - | "aux_heat" - | "current_humidity" - | "current_temperature" - | "fan_mode" - | "diffuse" - | "middle" - | "top" - | "current_action" - | "cooling" - | "drying" - | "heating" - | "preheating" - | "max_target_humidity" - | "max_target_temperature" - | "min_target_humidity" - | "min_target_temperature" - | "boost" - | "comfort" - | "eco" - | "sleep" - | "presets" - | "swing_mode" - | "both" - | "horizontal" - | "upper_target_temperature" - | "lower_target_temperature" - | "target_temperature_step" + | "not_charging" + | "disconnected" + | "connected" + | "hot" + | "no_light" + | "light_detected" + | "locked" + | "unlocked" + | "not_moving" + | "unplugged" + | "not_running" + | "safe" + | "unsafe" + | "tampering_detected" | "buffering" | "paused" | "playing" @@ -1860,77 +1925,11 @@ export type LocaleKeys = | "receiver" | "speaker" | "tv" - | "color_mode" - | "brightness_only" - | "hs" - | "rgb" - | "rgbw" - | "rgbww" - | "xy" - | "color_temperature_mireds" - | "color_temperature_kelvin" - | "available_effects" - | "maximum_color_temperature_kelvin" - | "maximum_color_temperature_mireds" - | "minimum_color_temperature_kelvin" - | "minimum_color_temperature_mireds" - | "available_color_modes" - | "event_type" - | "event_types" - | "doorbell" - | "available_tones" - | "locked" - | "unlocked" - | "members" - | "managed_via_ui" - | "id" - | "max_running_automations" - | "finishes_at" - | "remaining" - | "next_event" - | "update_available" - | "auto_update" - | "in_progress" - | "installed_version" - | "latest_version" - | "release_summary" - | "release_url" - | "skipped_version" - | "firmware" - | "automatic" - | "box" - | "step" - | "apparent_power" - | "atmospheric_pressure" - | "carbon_dioxide" - | "data_rate" - | "distance" - | "stored_energy" - | "frequency" - | "irradiance" - | "nitrogen_dioxide" - | "nitrogen_monoxide" - | "nitrous_oxide" - | "ozone" - | "ph" - | "pm" - | "power_factor" - | "precipitation_intensity" - | "pressure" - | "reactive_power" - | "signal_strength" - | "sound_pressure" - | "speed" - | "sulphur_dioxide" - | "vocs" - | "volume_flow_rate" - | "stored_volume" - | "weight" - | "stopped" - | "garage" - | "max_length" - | "min_length" - | "pattern" + | "above_horizon" + | "below_horizon" + | "oscillating" + | "speed_step" + | "available_preset_modes" | "armed_away" | "armed_custom_bypass" | "armed_home" @@ -1942,15 +1941,73 @@ export type LocaleKeys = | "code_for_arming" | "not_required" | "code_format" + | "gps_accuracy" + | "bluetooth_le" + | "gps" + | "router" + | "event_type" + | "event_types" + | "doorbell" + | "device_trackers" + | "max_running_scripts" + | "jammed" + | "locking" + | "unlocking" + | "cool" + | "fan_only" + | "heat_cool" + | "aux_heat" + | "current_humidity" + | "current_temperature" + | "fan_mode" + | "diffuse" + | "middle" + | "top" + | "current_action" + | "cooling" + | "drying" + | "heating" + | "preheating" + | "max_target_humidity" + | "max_target_temperature" + | "min_target_humidity" + | "min_target_temperature" + | "boost" + | "comfort" + | "eco" + | "sleep" + | "presets" + | "swing_mode" + | "both" + | "horizontal" + | "upper_target_temperature" + | "lower_target_temperature" + | "target_temperature_step" | "last_reset" | "possible_states" | "state_class" | "measurement" | "total" | "total_increasing" + | "conductivity" | "data_size" | "balance" | "timestamp" + | "color_mode" + | "brightness_only" + | "hs" + | "rgb" + | "rgbw" + | "rgbww" + | "xy" + | "color_temperature_mireds" + | "color_temperature_kelvin" + | "available_effects" + | "maximum_color_temperature_kelvin" + | "maximum_color_temperature_mireds" + | "minimum_color_temperature_kelvin" + | "minimum_color_temperature_mireds" + | "available_color_modes" | "clear_night" | "cloudy" | "exceptional" @@ -1973,62 +2030,81 @@ export type LocaleKeys = | "uv_index" | "wind_bearing" | "wind_gust_speed" - | "above_horizon" - | "below_horizon" - | "oscillating" - | "speed_step" - | "available_preset_modes" - | "jammed" - | "locking" - | "unlocking" - | "identify" - | "not_charging" - | "detected" - | "disconnected" - | "connected" - | "hot" - | "no_light" - | "light_detected" - | "wet" - | "not_moving" - | "unplugged" - | "not_running" - | "safe" - | "unsafe" - | "tampering_detected" + | "recording" + | "streaming" + | "access_token" + | "brand" + | "stream_type" + | "hls" + | "webrtc" + | "model" | "minute" | "second" - | "location_is_already_configured" - | "failed_to_connect_error" - | "invalid_api_key" - | "api_key" + | "max_length" + | "min_length" + | "pattern" + | "members" + | "finishes_at" + | "remaining" + | "identify" + | "auto_update" + | "in_progress" + | "installed_version" + | "latest_version" + | "release_summary" + | "release_url" + | "skipped_version" + | "firmware" + | "abort_single_instance_allowed" | "user_description" + | "device_is_already_configured" + | "re_authentication_was_successful" + | "re_configuration_was_successful" + | "failed_to_connect" + | "error_custom_port_not_supported" + | "invalid_authentication" + | "unexpected_error" + | "username" + | "host" + | "port" | "account_is_already_configured" | "abort_already_in_progress" - | "failed_to_connect" | "invalid_access_token" | "received_invalid_token_data" | "abort_oauth_failed" | "timeout_resolving_oauth_token" | "abort_oauth_unauthorized" - | "re_authentication_was_successful" - | "timeout_establishing_connection" - | "unexpected_error" | "successfully_authenticated" - | "link_google_account" + | "link_fitbit" | "pick_authentication_method" | "authentication_expired_for_name" | "service_is_already_configured" - | "confirm_description" - | "device_is_already_configured" - | "abort_no_devices_found" - | "connection_error_error" - | "invalid_authentication_error" - | "name_model_host" - | "username" - | "authenticate" - | "host" - | "abort_single_instance_allowed" + | "name_manufacturer_model" + | "bluetooth_confirm_description" + | "adapter" + | "multiple_adapters_description" + | "abort_already_configured" + | "invalid_host" + | "wrong_smartthings_token" + | "error_st_device_not_found" + | "error_st_device_used" + | "samsungtv_smart_model" + | "host_or_ip_address" + | "data_name" + | "smartthings_generated_token_optional" + | "smartthings_tv" + | "smartthings_tv_deviceid" + | "api_key" + | "configure_daikin_ac" + | "abort_device_updated" + | "failed_to_authenticate_msg" + | "error_device_list_failed" + | "cloud_api_account_configuration" + | "api_server_region" + | "client_id" + | "secret" + | "user_id" + | "data_no_cloud" | "solis_setup_flow" | "error_auth" | "portal_selection" @@ -2044,39 +2120,40 @@ export type LocaleKeys = | "data_portal_secret" | "enter_credentials_and_stationid" | "add_soliscloud_credentials" - | "abort_invalid_host" - | "device_not_supported" - | "name_model_at_host" - | "authenticate_to_the_device" - | "finish_title" + | "cannot_connect_details_error_detail" + | "unknown_details_error_detail" + | "uses_an_ssl_certificate" + | "verify_ssl_certificate" + | "timeout_establishing_connection" + | "link_google_account" + | "abort_no_devices_found" + | "connection_error_error" + | "invalid_authentication_error" + | "name_model_host" + | "authenticate" + | "device_class" + | "state_template" + | "template_binary_sensor" + | "template_sensor" + | "template_a_binary_sensor" + | "template_a_sensor" + | "template_helper" + | "location_is_already_configured" + | "failed_to_connect_error" + | "invalid_api_key" + | "pin_code" + | "discovered_android_tv" + | "known_hosts" + | "google_cast_configuration" + | "abort_invalid_host" + | "device_not_supported" + | "name_model_at_host" + | "authenticate_to_the_device" + | "finish_title" | "unlock_the_device" | "yes_do_it" | "unlock_the_device_optional" | "connect_to_the_device" - | "no_port_for_endpoint" - | "abort_no_services" - | "port" - | "discovered_wyoming_service" - | "invalid_authentication" - | "two_factor_code" - | "two_factor_authentication" - | "sign_in_with_ring_account" - | "hacs_is_not_setup" - | "reauthentication_was_successful" - | "waiting_for_device_activation" - | "reauthentication_needed" - | "reauth_confirm_description" - | "link_fitbit" - | "abort_already_configured" - | "abort_device_updated" - | "failed_to_authenticate_msg" - | "error_device_list_failed" - | "cloud_api_account_configuration" - | "api_server_region" - | "client_id" - | "secret" - | "user_id" - | "data_no_cloud" | "invalid_birth_topic" | "error_bad_certificate" | "invalid_discovery_prefix" @@ -2100,8 +2177,9 @@ export type LocaleKeys = | "path_is_not_allowed" | "path_is_not_valid" | "path_to_file" - | "known_hosts" - | "google_cast_configuration" + | "api_error_occurred" + | "hostname_ip_address" + | "enable_https" | "abort_mdns_missing_mac" | "abort_mqtt_missing_api" | "abort_mqtt_missing_ip" @@ -2109,10 +2187,34 @@ export type LocaleKeys = | "service_received" | "discovered_esphome_node" | "encryption_key" + | "no_port_for_endpoint" + | "abort_no_services" + | "discovered_wyoming_service" + | "abort_api_error" + | "unsupported_switchbot_type" + | "authentication_failed_error_detail" + | "error_encryption_key_invalid" + | "name_address" + | "switchbot_account_recommended" + | "menu_options_lock_key" + | "key_id" + | "password_description" + | "device_address" + | "meteorologisk_institutt" + | "two_factor_code" + | "two_factor_authentication" + | "sign_in_with_ring_account" + | "bridge_is_already_configured" + | "no_deconz_bridges_discovered" + | "abort_no_hardware_available" + | "abort_updated_instance" + | "error_linking_not_possible" + | "error_no_key" + | "link_with_deconz" + | "select_discovered_deconz_gateway" | "all_entities" | "hide_members" | "add_group" - | "device_class" | "ignore_non_numeric" | "data_round_digits" | "type" @@ -2125,82 +2227,50 @@ export type LocaleKeys = | "media_player_group" | "sensor_group" | "switch_group" - | "name_already_exists" - | "passive" - | "define_zone_parameters" - | "invalid_host" - | "wrong_smartthings_token" - | "error_st_device_not_found" - | "error_st_device_used" - | "samsungtv_smart_model" - | "host_or_ip_address" - | "data_name" - | "smartthings_generated_token_optional" - | "smartthings_tv" - | "smartthings_tv_deviceid" - | "re_configuration_was_successful" - | "error_custom_port_not_supported" | "abort_alternative_integration" | "abort_discovery_error" | "abort_incomplete_config" | "manual_description" | "manual_title" | "discovered_dlna_dmr_devices" + | "hacs_is_not_setup" + | "reauthentication_was_successful" + | "waiting_for_device_activation" + | "reauthentication_needed" + | "reauth_confirm_description" + | "name_already_exists" + | "passive" + | "define_zone_parameters" | "calendar_name" - | "name_manufacturer_model" - | "adapter" - | "multiple_adapters_description" - | "cannot_connect_details_error_detail" - | "unknown_details_error_detail" - | "uses_an_ssl_certificate" - | "verify_ssl_certificate" - | "configure_daikin_ac" - | "pin_code" - | "discovered_android_tv" - | "state_template" - | "template_binary_sensor" - | "template_sensor" - | "template_a_binary_sensor" - | "template_a_sensor" - | "template_helper" - | "bridge_is_already_configured" - | "no_deconz_bridges_discovered" - | "abort_no_hardware_available" - | "abort_updated_instance" - | "error_linking_not_possible" - | "error_no_key" - | "link_with_deconz" - | "select_discovered_deconz_gateway" - | "abort_api_error" - | "unsupported_switchbot_type" - | "authentication_failed_error_detail" - | "error_encryption_key_invalid" - | "name_address" - | "switchbot_account_recommended" - | "menu_options_lock_key" - | "key_id" - | "password_description" - | "device_address" - | "meteorologisk_institutt" - | "api_error_occurred" - | "hostname_ip_address" - | "enable_https" - | "enable_the_conversation_agent" - | "language_code" - | "select_test_server" - | "data_allow_nameless_uuids" - | "minimum_rssi" - | "data_new_uuid" - | "abort_pending_tasks" - | "data_not_in_use" - | "filter_with_country_code" - | "enable_experimental_features" - | "data_release_limit" - | "enable_debug" - | "data_appdaemon" - | "data_netdaemon" - | "side_panel_icon" - | "side_panel_title" + | "bluetooth_scanner_mode" + | "passive_scanning" + | "samsungtv_smart_options" + | "data_use_st_status_info" + | "data_use_st_channel_info" + | "data_show_channel_number" + | "data_app_load_method" + | "data_use_local_logo" + | "data_power_on_method" + | "show_options_menu" + | "samsungtv_smart_options_menu" + | "applications_list_configuration" + | "channels_list_configuration" + | "standard_options" + | "save_options_and_exit" + | "sources_list_configuration" + | "synched_entities_configuration" + | "samsungtv_smart_advanced_options" + | "applications_launch_method_used" + | "data_power_on_delay" + | "data_ext_power_entity" + | "samsungtv_smart_synched_entities" + | "app_list_title" + | "applications_list" + | "channel_list_title" + | "channels_list" + | "source_list_title" + | "sources_list" + | "error_invalid_tv_list" | "device_dev_name_successfully_action" | "not_supported" | "localtuya_configuration" @@ -2283,6 +2353,23 @@ export type LocaleKeys = | "enable_heuristic_action_optional" | "data_dps_default_value" | "minimum_increment_between_numbers" + | "enable_the_conversation_agent" + | "language_code" + | "data_process" + | "data_app_delete" + | "application_icon" + | "application_id" + | "application_name" + | "configure_application_id_app_id" + | "configure_android_apps" + | "configure_applications_list" + | "data_allow_nameless_uuids" + | "minimum_rssi" + | "data_new_uuid" + | "data_calendar_access" + | "ignore_cec" + | "allowed_uuids" + | "advanced_google_cast_configuration" | "broker_options" | "enable_birth_message" | "birth_message_payload" @@ -2296,106 +2383,37 @@ export type LocaleKeys = | "will_message_retain" | "will_message_topic" | "mqtt_options" - | "ignore_cec" - | "allowed_uuids" - | "advanced_google_cast_configuration" - | "samsungtv_smart_options" - | "data_use_st_status_info" - | "data_use_st_channel_info" - | "data_show_channel_number" - | "data_app_load_method" - | "data_use_local_logo" - | "data_power_on_method" - | "show_options_menu" - | "samsungtv_smart_options_menu" - | "applications_list_configuration" - | "channels_list_configuration" - | "standard_options" - | "save_options_and_exit" - | "sources_list_configuration" - | "synched_entities_configuration" - | "samsungtv_smart_advanced_options" - | "applications_launch_method_used" - | "data_power_on_delay" - | "data_ext_power_entity" - | "samsungtv_smart_synched_entities" - | "app_list_title" - | "applications_list" - | "channel_list_title" - | "channels_list" - | "source_list_title" - | "sources_list" - | "error_invalid_tv_list" - | "bluetooth_scanner_mode" + | "protocol" + | "select_test_server" + | "retry_count" + | "allow_deconz_clip_sensors" + | "allow_deconz_light_groups" + | "data_allow_new_devices" + | "deconz_devices_description" + | "deconz_options" | "invalid_url" | "data_browse_unfiltered" | "event_listener_callback_url" | "data_listen_port" | "poll_for_device_availability" | "init_title" - | "passive_scanning" - | "allow_deconz_clip_sensors" - | "allow_deconz_light_groups" - | "data_allow_new_devices" - | "deconz_devices_description" - | "deconz_options" - | "retry_count" - | "data_calendar_access" - | "protocol" - | "data_process" - | "toggle_entity_name" - | "turn_off_entity_name" - | "turn_on_entity_name" - | "entity_name_is_off" - | "entity_name_is_on" - | "trigger_type_changed_states" - | "entity_name_turned_off" - | "entity_name_turned_on" - | "entity_name_is_home" - | "entity_name_is_not_home" - | "entity_name_enters_a_zone" - | "entity_name_leaves_a_zone" - | "action_type_set_hvac_mode" - | "change_preset_on_entity_name" - | "entity_name_measured_humidity_changed" - | "entity_name_measured_temperature_changed" - | "entity_name_hvac_mode_changed" - | "entity_name_is_buffering" - | "entity_name_is_idle" - | "entity_name_is_paused" - | "entity_name_is_playing" - | "entity_name_starts_buffering" - | "entity_name_becomes_idle" - | "entity_name_starts_playing" + | "abort_pending_tasks" + | "data_not_in_use" + | "filter_with_country_code" + | "enable_experimental_features" + | "data_release_limit" + | "enable_debug" + | "data_appdaemon" + | "data_netdaemon" + | "side_panel_icon" + | "side_panel_title" | "first_button" | "second_button" | "third_button" | "fourth_button" - | "fifth_button" - | "sixth_button" - | "subtype_double_clicked" - | "subtype_continuously_pressed" - | "trigger_type_button_long_release" - | "subtype_quadruple_clicked" - | "subtype_quintuple_clicked" - | "subtype_pressed" - | "subtype_released" - | "subtype_triple_clicked" - | "decrease_entity_name_brightness" - | "increase_entity_name_brightness" - | "flash_entity_name" - | "action_type_select_first" - | "action_type_select_last" - | "action_type_select_next" - | "change_entity_name_option" - | "action_type_select_previous" - | "current_entity_name_selected_option" - | "entity_name_option_changed" - | "entity_name_update_availability_changed" - | "entity_name_became_up_to_date" - | "trigger_type_update" | "subtype_button_down" | "subtype_button_up" + | "subtype_double_clicked" | "subtype_double_push" | "subtype_long_clicked" | "subtype_long_push" @@ -2403,8 +2421,10 @@ export type LocaleKeys = | "subtype_single_clicked" | "trigger_type_single_long" | "subtype_single_push" + | "subtype_triple_clicked" | "subtype_triple_push" | "set_value_for_entity_name" + | "value" | "close_entity_name" | "close_entity_name_tilt" | "open_entity_name" @@ -2424,7 +2444,117 @@ export type LocaleKeys = | "entity_name_opening" | "entity_name_position_changes" | "entity_name_tilt_position_changes" - | "send_a_notification" + | "entity_name_battery_is_low" + | "entity_name_is_charging" + | "condition_type_is_co" + | "entity_name_is_cold" + | "entity_name_is_connected" + | "entity_name_is_detecting_gas" + | "entity_name_is_hot" + | "entity_name_is_detecting_light" + | "entity_name_is_locked" + | "entity_name_is_moist" + | "entity_name_is_detecting_motion" + | "entity_name_is_moving" + | "condition_type_is_no_co" + | "condition_type_is_no_gas" + | "condition_type_is_no_light" + | "condition_type_is_no_motion" + | "condition_type_is_no_problem" + | "condition_type_is_no_smoke" + | "condition_type_is_no_sound" + | "entity_name_is_up_to_date" + | "condition_type_is_no_vibration" + | "entity_name_battery_is_normal" + | "entity_name_is_not_charging" + | "entity_name_is_not_cold" + | "entity_name_is_disconnected" + | "entity_name_is_not_hot" + | "entity_name_is_unlocked" + | "entity_name_is_dry" + | "entity_name_is_not_moving" + | "entity_name_is_not_occupied" + | "entity_name_is_unplugged" + | "entity_name_is_not_powered" + | "entity_name_is_not_present" + | "entity_name_is_not_running" + | "condition_type_is_not_tampered" + | "entity_name_is_safe" + | "entity_name_is_occupied" + | "entity_name_is_off" + | "entity_name_is_on" + | "entity_name_is_plugged_in" + | "entity_name_is_powered" + | "entity_name_is_present" + | "entity_name_is_detecting_problem" + | "entity_name_is_running" + | "entity_name_is_detecting_smoke" + | "entity_name_is_detecting_sound" + | "entity_name_is_detecting_tampering" + | "entity_name_is_unsafe" + | "condition_type_is_update" + | "entity_name_is_detecting_vibration" + | "entity_name_battery_low" + | "entity_name_charging" + | "trigger_type_co" + | "entity_name_became_cold" + | "entity_name_connected" + | "entity_name_started_detecting_gas" + | "entity_name_became_hot" + | "entity_name_started_detecting_light" + | "entity_name_locked" + | "entity_name_became_moist" + | "entity_name_started_detecting_motion" + | "entity_name_started_moving" + | "trigger_type_no_co" + | "entity_name_stopped_detecting_gas" + | "entity_name_stopped_detecting_light" + | "entity_name_stopped_detecting_motion" + | "entity_name_stopped_detecting_problem" + | "entity_name_stopped_detecting_smoke" + | "entity_name_stopped_detecting_sound" + | "entity_name_became_up_to_date" + | "entity_name_stopped_detecting_vibration" + | "entity_name_battery_normal" + | "entity_name_not_charging" + | "entity_name_became_not_cold" + | "entity_name_disconnected" + | "entity_name_became_not_hot" + | "entity_name_unlocked" + | "entity_name_became_dry" + | "entity_name_stopped_moving" + | "entity_name_became_not_occupied" + | "entity_name_unplugged" + | "entity_name_not_powered" + | "entity_name_not_present" + | "trigger_type_not_running" + | "entity_name_stopped_detecting_tampering" + | "entity_name_became_safe" + | "entity_name_became_occupied" + | "entity_name_plugged_in" + | "entity_name_powered" + | "entity_name_present" + | "entity_name_started_detecting_problem" + | "entity_name_started_running" + | "entity_name_started_detecting_smoke" + | "entity_name_started_detecting_sound" + | "entity_name_started_detecting_tampering" + | "entity_name_turned_off" + | "entity_name_turned_on" + | "entity_name_became_unsafe" + | "trigger_type_update" + | "entity_name_started_detecting_vibration" + | "entity_name_is_buffering" + | "entity_name_is_idle" + | "entity_name_is_paused" + | "entity_name_is_playing" + | "entity_name_starts_buffering" + | "trigger_type_changed_states" + | "entity_name_becomes_idle" + | "entity_name_starts_playing" + | "toggle_entity_name" + | "turn_off_entity_name" + | "turn_on_entity_name" | "arm_entity_name_away" | "arm_entity_name_home" | "arm_entity_name_night" @@ -2443,12 +2573,26 @@ export type LocaleKeys = | "entity_name_armed_vacation" | "entity_name_disarmed" | "entity_name_triggered" + | "entity_name_is_home" + | "entity_name_is_not_home" + | "entity_name_enters_a_zone" + | "entity_name_leaves_a_zone" + | "lock_entity_name" + | "unlock_entity_name" + | "action_type_set_hvac_mode" + | "change_preset_on_entity_name" + | "hvac_mode" + | "to" + | "entity_name_measured_humidity_changed" + | "entity_name_measured_temperature_changed" + | "entity_name_hvac_mode_changed" | "current_entity_name_apparent_power" | "condition_type_is_aqi" | "current_entity_name_atmospheric_pressure" | "current_entity_name_battery_level" | "condition_type_is_carbon_dioxide" | "condition_type_is_carbon_monoxide" + | "current_entity_name_conductivity" | "current_entity_name_current" | "current_entity_name_data_rate" | "current_entity_name_data_size" @@ -2493,6 +2637,7 @@ export type LocaleKeys = | "entity_name_battery_level_changes" | "trigger_type_carbon_dioxide" | "trigger_type_carbon_monoxide" + | "entity_name_conductivity_changes" | "entity_name_current_changes" | "entity_name_data_rate_changes" | "entity_name_data_size_changes" @@ -2531,137 +2676,70 @@ export type LocaleKeys = | "entity_name_water_changes" | "entity_name_weight_changes" | "entity_name_wind_speed_changes" + | "decrease_entity_name_brightness" + | "increase_entity_name_brightness" + | "flash_entity_name" + | "flash" + | "fifth_button" + | "sixth_button" + | "subtype_continuously_pressed" + | "trigger_type_button_long_release" + | "subtype_quadruple_clicked" + | "subtype_quintuple_clicked" + | "subtype_pressed" + | "subtype_released" + | "action_type_select_first" + | "action_type_select_last" + | "action_type_select_next" + | "change_entity_name_option" + | "action_type_select_previous" + | "current_entity_name_selected_option" + | "cycle" + | "from" + | "entity_name_option_changed" + | "send_a_notification" + | "both_buttons" + | "bottom_buttons" + | "seventh_button" + | "eighth_button" + | "dim_down" + | "dim_up" + | "left" + | "right" + | "side" + | "top_buttons" + | "device_awakened" + | "button_rotated_subtype" + | "button_rotated_fast_subtype" + | "button_rotation_subtype_stopped" + | "device_subtype_double_tapped" + | "trigger_type_remote_double_tap_any_side" + | "device_in_free_fall" + | "device_flipped_degrees" + | "device_shaken" + | "trigger_type_remote_moved" + | "trigger_type_remote_moved_any_side" + | "trigger_type_remote_rotate_from_side" + | "device_turned_clockwise" + | "device_turned_counter_clockwise" | "press_entity_name_button" | "entity_name_has_been_pressed" - | "entity_name_battery_is_low" - | "entity_name_is_charging" - | "condition_type_is_co" - | "entity_name_is_cold" - | "entity_name_is_connected" - | "entity_name_is_detecting_gas" - | "entity_name_is_hot" - | "entity_name_is_detecting_light" - | "entity_name_is_locked" - | "entity_name_is_moist" - | "entity_name_is_detecting_motion" - | "entity_name_is_moving" - | "condition_type_is_no_co" - | "condition_type_is_no_gas" - | "condition_type_is_no_light" - | "condition_type_is_no_motion" - | "condition_type_is_no_problem" - | "condition_type_is_no_smoke" - | "condition_type_is_no_sound" - | "entity_name_is_up_to_date" - | "condition_type_is_no_vibration" - | "entity_name_battery_is_normal" - | "entity_name_is_not_charging" - | "entity_name_is_not_cold" - | "entity_name_is_disconnected" - | "entity_name_is_not_hot" - | "entity_name_is_unlocked" - | "entity_name_is_dry" - | "entity_name_is_not_moving" - | "entity_name_is_not_occupied" - | "entity_name_is_unplugged" - | "entity_name_is_not_powered" - | "entity_name_is_not_present" - | "entity_name_is_not_running" - | "condition_type_is_not_tampered" - | "entity_name_is_safe" - | "entity_name_is_occupied" - | "entity_name_is_plugged_in" - | "entity_name_is_powered" - | "entity_name_is_present" - | "entity_name_is_detecting_problem" - | "entity_name_is_running" - | "entity_name_is_detecting_smoke" - | "entity_name_is_detecting_sound" - | "entity_name_is_detecting_tampering" - | "entity_name_is_unsafe" - | "condition_type_is_update" - | "entity_name_is_detecting_vibration" - | "entity_name_battery_low" - | "entity_name_charging" - | "trigger_type_co" - | "entity_name_became_cold" - | "entity_name_connected" - | "entity_name_started_detecting_gas" - | "entity_name_became_hot" - | "entity_name_started_detecting_light" - | "entity_name_locked" - | "entity_name_became_moist" - | "entity_name_started_detecting_motion" - | "entity_name_started_moving" - | "trigger_type_no_co" - | "entity_name_stopped_detecting_gas" - | "entity_name_stopped_detecting_light" - | "entity_name_stopped_detecting_motion" - | "entity_name_stopped_detecting_problem" - | "entity_name_stopped_detecting_smoke" - | "entity_name_stopped_detecting_sound" - | "entity_name_stopped_detecting_vibration" - | "entity_name_battery_normal" - | "entity_name_not_charging" - | "entity_name_became_not_cold" - | "entity_name_disconnected" - | "entity_name_became_not_hot" - | "entity_name_unlocked" - | "entity_name_became_dry" - | "entity_name_stopped_moving" - | "entity_name_became_not_occupied" - | "entity_name_unplugged" - | "entity_name_not_powered" - | "entity_name_not_present" - | "trigger_type_not_running" - | "entity_name_stopped_detecting_tampering" - | "entity_name_became_safe" - | "entity_name_became_occupied" - | "entity_name_plugged_in" - | "entity_name_powered" - | "entity_name_present" - | "entity_name_started_detecting_problem" - | "entity_name_started_running" - | "entity_name_started_detecting_smoke" - | "entity_name_started_detecting_sound" - | "entity_name_started_detecting_tampering" - | "entity_name_became_unsafe" - | "entity_name_started_detecting_vibration" - | "both_buttons" - | "bottom_buttons" - | "seventh_button" - | "eighth_button" - | "dim_down" - | "dim_up" - | "left" - | "right" - | "side" - | "top_buttons" - | "device_awakened" - | "button_rotated_subtype" - | "button_rotated_fast_subtype" - | "button_rotation_subtype_stopped" - | "device_subtype_double_tapped" - | "trigger_type_remote_double_tap_any_side" - | "device_in_free_fall" - | "device_flipped_degrees" - | "device_shaken" - | "trigger_type_remote_moved" - | "trigger_type_remote_moved_any_side" - | "trigger_type_remote_rotate_from_side" - | "device_turned_clockwise" - | "device_turned_counter_clockwise" - | "lock_entity_name" - | "unlock_entity_name" - | "critical" - | "debug" - | "info" - | "warning" + | "entity_name_update_availability_changed" | "add_to_queue" | "play_next" | "options_replace" | "repeat_all" | "repeat_one" + | "critical" + | "debug" + | "info" + | "warning" + | "most_recently_updated" + | "arithmetic_mean" + | "median" + | "product" + | "statistical_range" + | "standard_deviation" | "alice_blue" | "antique_white" | "aqua" @@ -2792,16 +2870,111 @@ export type LocaleKeys = | "wheat" | "white_smoke" | "yellow_green" + | "fatal" | "no_device_class" | "no_state_class" | "no_unit_of_measurement" - | "fatal" - | "most_recently_updated" - | "arithmetic_mean" - | "median" - | "product" - | "statistical_range" - | "standard_deviation" + | "dump_log_objects" + | "log_current_tasks_description" + | "log_current_asyncio_tasks" + | "log_event_loop_scheduled" + | "log_thread_frames_description" + | "log_thread_frames" + | "lru_stats_description" + | "log_lru_stats" + | "starts_the_memory_profiler" + | "seconds" + | "memory" + | "set_asyncio_debug_description" + | "enabled_description" + | "set_asyncio_debug" + | "starts_the_profiler" + | "max_objects_description" + | "maximum_objects" + | "scan_interval_description" + | "scan_interval" + | "start_logging_object_sources" + | "start_log_objects_description" + | "start_logging_objects" + | "stop_logging_object_sources" + | "stop_log_objects_description" + | "stop_logging_objects" + | "request_sync_description" + | "agent_user_id" + | "request_sync" + | "reload_resources_description" + | "clears_all_log_entries" + | "clear_all" + | "write_log_entry" + | "log_level" + | "level" + | "message_to_log" + | "write" + | "set_value_description" + | "value_description" + | "create_temporary_strict_connection_url_name" + | "toggles_the_siren_on_off" + | "turns_the_siren_off" + | "turns_the_siren_on" + | "tone" + | "create_event_description" + | "location_description" + | "start_date_description" + | "create_event" + | "get_events" + | "list_event" + | "closes_a_cover" + | "close_cover_tilt_description" + | "close_tilt" + | "opens_a_cover" + | "tilts_a_cover_open" + | "open_tilt" + | "set_cover_position_description" + | "target_position" + | "set_position" + | "target_tilt_positition" + | "set_tilt_position" + | "stops_the_cover_movement" + | "stop_cover_tilt_description" + | "stop_tilt" + | "toggles_a_cover_open_closed" + | "toggle_cover_tilt_description" + | "toggle_tilt" + | "check_configuration" + | "reload_all" + | "reload_config_entry_description" + | "config_entry_id" + | "reload_config_entry" + | "reload_core_config_description" + | "reload_core_configuration" + | "reload_custom_jinja_templates" + | "restarts_home_assistant" + | "safe_mode_description" + | "save_persistent_states" + | "set_location_description" + | "elevation_of_your_location" + | "latitude_of_your_location" + | "longitude_of_your_location" + | "set_location" + | "stops_home_assistant" + | "generic_toggle" + | "generic_turn_off" + | "generic_turn_on" + | "update_entity" + | "creates_a_new_backup" + | "decrement_description" + | "increment_description" + | "sets_the_value" + | "the_target_value" + | "reloads_the_automation_configuration" + | "toggle_description" + | "trigger_description" + | "skip_conditions" + | "trigger" + | "disables_an_automation" + | "stops_currently_running_actions" + | "stop_actions" + | "enables_an_automation" | "restarts_an_add_on" | "the_add_on_slug" | "restart_add_on" @@ -2836,176 +3009,6 @@ export type LocaleKeys = | "restore_partial_description" | "restores_home_assistant" | "restore_from_partial_backup" - | "broadcast_address" - | "broadcast_port_description" - | "broadcast_port" - | "mac_address" - | "send_magic_packet" - | "command_description" - | "command" - | "media_player_entity" - | "send_text_command" - | "clear_tts_cache" - | "cache" - | "entity_id_description" - | "language_description" - | "options_description" - | "say_a_tts_message" - | "media_player_entity_id_description" - | "speak" - | "stops_a_running_script" - | "request_sync_description" - | "agent_user_id" - | "request_sync" - | "sets_a_random_effect" - | "sequence_description" - | "backgrounds" - | "initial_brightness" - | "range_of_brightness" - | "brightness_range" - | "fade_off" - | "range_of_hue" - | "hue_range" - | "initial_hsv_sequence" - | "initial_states" - | "random_seed" - | "range_of_saturation" - | "saturation_range" - | "segments_description" - | "segments" - | "transition" - | "range_of_transition" - | "transition_range" - | "random_effect" - | "sets_a_sequence_effect" - | "repetitions_for_continuous" - | "repetitions" - | "sequence" - | "speed_of_spread" - | "spread" - | "sequence_effect" - | "check_configuration" - | "reload_all" - | "reload_config_entry_description" - | "config_entry_id" - | "reload_config_entry" - | "reload_core_config_description" - | "reload_core_configuration" - | "reload_custom_jinja_templates" - | "restarts_home_assistant" - | "safe_mode_description" - | "save_persistent_states" - | "set_location_description" - | "elevation_of_your_location" - | "latitude_of_your_location" - | "longitude_of_your_location" - | "set_location" - | "stops_home_assistant" - | "generic_toggle" - | "generic_turn_off" - | "generic_turn_on" - | "update_entity" - | "create_event_description" - | "location_description" - | "start_date_description" - | "create_event" - | "get_events" - | "list_event" - | "toggles_a_switch_on_off" - | "turns_a_switch_off" - | "turns_a_switch_on" - | "disables_the_motion_detection" - | "disable_motion_detection" - | "enables_the_motion_detection" - | "enable_motion_detection" - | "format_description" - | "format" - | "media_player_description" - | "play_stream" - | "filename" - | "lookback" - | "snapshot_description" - | "take_snapshot" - | "turns_off_the_camera" - | "turns_on_the_camera" - | "notify_description" - | "data" - | "message_description" - | "title_for_your_notification" - | "title_of_the_notification" - | "send_a_persistent_notification" - | "sends_a_notification_message" - | "your_notification_message" - | "title_description" - | "send_a_notification_message" - | "creates_a_new_backup" - | "see_description" - | "battery_description" - | "gps_coordinates" - | "gps_accuracy_description" - | "hostname_of_the_device" - | "hostname" - | "mac_description" - | "see" - | "log_description" - | "log" - | "apply_description" - | "entities_description" - | "entities_state" - | "apply" - | "creates_a_new_scene" - | "scene_id_description" - | "scene_entity_id" - | "snapshot_entities" - | "delete_description" - | "activates_a_scene" - | "turns_auxiliary_heater_on_off" - | "aux_heat_description" - | "auxiliary_heating" - | "turn_on_off_auxiliary_heater" - | "sets_fan_operation_mode" - | "fan_operation_mode" - | "set_fan_mode" - | "sets_target_humidity" - | "set_target_humidity" - | "sets_hvac_operation_mode" - | "hvac_operation_mode" - | "hvac_mode" - | "set_hvac_mode" - | "sets_preset_mode" - | "set_preset_mode" - | "sets_swing_operation_mode" - | "swing_operation_mode" - | "set_swing_mode" - | "sets_target_temperature" - | "high_target_temperature" - | "target_temperature_high" - | "low_target_temperature" - | "target_temperature_low" - | "set_target_temperature" - | "turns_climate_device_off" - | "turns_climate_device_on" - | "clears_all_log_entries" - | "clear_all" - | "write_log_entry" - | "log_level" - | "level" - | "message_to_log" - | "write" - | "device_description" - | "delete_command" - | "alternative" - | "command_type_description" - | "command_type" - | "timeout_description" - | "learn_command" - | "delay_seconds" - | "hold_seconds" - | "repeats" - | "send_command" - | "toggles_a_device_on_off" - | "turns_the_device_off" - | "turn_on_description" | "clears_the_playlist" | "clear_playlist" | "selects_the_next_track" @@ -3023,7 +3026,6 @@ export type LocaleKeys = | "select_sound_mode" | "select_source" | "shuffle_description" - | "toggle_description" | "unjoin" | "turns_down_the_volume" | "turn_down_volume" @@ -3034,214 +3036,277 @@ export type LocaleKeys = | "set_volume" | "turns_up_the_volume" | "turn_up_volume" - | "topic_to_listen_to" - | "topic" - | "export" - | "publish_description" - | "the_payload_to_publish" - | "payload" - | "payload_template" - | "qos" - | "retain" - | "topic_to_publish_to" - | "publish" - | "brightness_value" - | "a_human_readable_color_name" - | "color_name" - | "color_temperature_in_mireds" - | "light_effect" - | "flash" - | "hue_sat_color" - | "color_temperature_in_kelvin" - | "profile_description" - | "white_description" - | "xy_color" - | "turn_off_description" - | "brightness_step_description" - | "brightness_step_value" - | "brightness_step_pct_description" - | "brightness_step" - | "rgbw_color" - | "rgbww_color" - | "reloads_the_automation_configuration" - | "trigger_description" - | "skip_conditions" - | "trigger" - | "disables_an_automation" - | "stops_currently_running_actions" - | "stop_actions" - | "enables_an_automation" - | "dashboard_path" - | "view_path" - | "show_dashboard_view" - | "toggles_the_siren_on_off" - | "turns_the_siren_off" - | "turns_the_siren_on" - | "tone" - | "extract_media_url_description" - | "format_query" - | "url_description" - | "media_url" - | "get_media_url" - | "play_media_description" - | "removes_a_group" - | "object_id" - | "creates_updates_a_user_group" - | "add_entities" - | "icon_description" - | "name_of_the_group" - | "remove_entities" + | "apply_filter" + | "days_to_keep" + | "repack" + | "purge" + | "domains_to_remove" + | "entity_globs_to_remove" + | "entities_to_remove" + | "purge_entities" + | "decrease_speed_description" + | "percentage_step_description" + | "decrease_speed" + | "increase_speed_description" + | "increase_speed" + | "oscillate_description" + | "turn_on_off_oscillation" + | "set_direction_description" + | "direction_to_rotate" + | "set_direction" + | "sets_the_fan_speed" + | "speed_of_the_fan" + | "percentage" + | "set_speed" + | "sets_preset_mode" + | "set_preset_mode" + | "toggles_the_fan_on_off" + | "turns_fan_off" + | "turns_fan_on" + | "apply_description" + | "entities_description" + | "entities_state" + | "transition" + | "apply" + | "creates_a_new_scene" + | "scene_id_description" + | "scene_entity_id" + | "snapshot_entities" + | "delete_description" + | "activates_a_scene" | "selects_the_first_option" | "first" | "selects_the_last_option" - | "selects_the_next_option" - | "cycle" + | "select_the_next_option" | "selects_an_option" | "option_to_be_selected" | "selects_the_previous_option" - | "create_description" - | "notification_id" - | "dismiss_description" - | "notification_id_description" - | "dismiss_all_description" - | "cancels_a_timer" - | "changes_a_timer" - | "finishes_a_timer" - | "pauses_a_timer" - | "starts_a_timer" - | "duration_description" - | "select_the_next_option" | "sets_the_options" | "list_of_options" | "set_options" - | "clear_skipped_update" - | "install_update" - | "skip_description" - | "skip_update" - | "set_default_level_description" - | "level_description" - | "set_default_level" - | "set_level" - | "create_temporary_strict_connection_url_name" - | "remote_connect" - | "remote_disconnect" - | "set_value_description" - | "value_description" - | "value" - | "closes_a_cover" - | "close_cover_tilt_description" - | "close_tilt" - | "opens_a_cover" - | "tilts_a_cover_open" - | "open_tilt" - | "set_cover_position_description" - | "target_position" - | "set_position" - | "target_tilt_positition" - | "set_tilt_position" - | "stops_the_cover_movement" - | "stop_cover_tilt_description" - | "stop_tilt" - | "toggles_a_cover_open_closed" - | "toggle_cover_tilt_description" - | "toggle_tilt" - | "toggles_the_helper_on_off" - | "turns_off_the_helper" - | "turns_on_the_helper" - | "decrement_description" - | "increment_description" - | "sets_the_value" - | "the_target_value" - | "dump_log_objects" - | "log_current_tasks_description" - | "log_current_asyncio_tasks" - | "log_event_loop_scheduled" - | "log_thread_frames_description" - | "log_thread_frames" - | "lru_stats_description" - | "log_lru_stats" - | "starts_the_memory_profiler" - | "seconds" - | "memory" - | "set_asyncio_debug_description" - | "enabled_description" - | "set_asyncio_debug" - | "starts_the_profiler" - | "max_objects_description" - | "maximum_objects" - | "scan_interval_description" - | "scan_interval" - | "start_logging_object_sources" - | "start_log_objects_description" - | "start_logging_objects" - | "stop_logging_object_sources" - | "stop_log_objects_description" - | "stop_logging_objects" + | "closes_a_valve" + | "opens_a_valve" + | "set_valve_position_description" + | "stops_the_valve_movement" + | "toggles_a_valve_open_closed" + | "load_url_description" + | "url_to_load" + | "load_url" + | "configuration_parameter_to_set" + | "key" + | "set_configuration" + | "application_description" + | "application" + | "start_application" + | "command_description" + | "command" + | "media_player_entity" + | "send_text_command" + | "code_description" + | "arm_with_custom_bypass" + | "alarm_arm_vacation_description" + | "disarms_the_alarm" + | "alarm_trigger_description" + | "extract_media_url_description" + | "format_query" + | "url_description" + | "media_url" + | "get_media_url" + | "play_media_description" + | "sets_a_random_effect" + | "sequence_description" + | "backgrounds" + | "initial_brightness" + | "range_of_brightness" + | "brightness_range" + | "fade_off" + | "range_of_hue" + | "hue_range" + | "initial_hsv_sequence" + | "initial_states" + | "random_seed" + | "range_of_saturation" + | "saturation_range" + | "segments_description" + | "segments" + | "range_of_transition" + | "transition_range" + | "random_effect" + | "sets_a_sequence_effect" + | "repetitions_for_continuous" + | "repetitions" + | "sequence" + | "speed_of_spread" + | "spread" + | "sequence_effect" + | "press_the_button_entity" + | "see_description" + | "battery_description" + | "gps_coordinates" + | "gps_accuracy_description" + | "hostname_of_the_device" + | "hostname" + | "mac_description" + | "mac_address" + | "see" | "process_description" | "agent" | "conversation_id" + | "language_description" | "transcribed_text_input" | "process" | "reloads_the_intent_configuration" | "conversation_agent_to_reload" - | "apply_filter" - | "days_to_keep" - | "repack" - | "purge" - | "domains_to_remove" - | "entity_globs_to_remove" - | "entities_to_remove" - | "purge_entities" - | "reload_resources_description" + | "create_description" + | "message_description" + | "notification_id" + | "title_description" + | "dismiss_description" + | "notification_id_description" + | "dismiss_all_description" + | "notify_description" + | "data" + | "title_for_your_notification" + | "title_of_the_notification" + | "send_a_persistent_notification" + | "sends_a_notification_message" + | "your_notification_message" + | "send_a_notification_message" + | "device_description" + | "delete_command" + | "alternative" + | "command_type_description" + | "command_type" + | "timeout_description" + | "learn_command" + | "delay_seconds" + | "hold_seconds" + | "repeats" + | "send_command" + | "toggles_a_device_on_off" + | "turns_the_device_off" + | "turn_on_description" + | "stops_a_running_script" + | "locks_a_lock" + | "opens_a_lock" + | "unlocks_a_lock" + | "turns_auxiliary_heater_on_off" + | "aux_heat_description" + | "auxiliary_heating" + | "turn_on_off_auxiliary_heater" + | "sets_fan_operation_mode" + | "fan_operation_mode" + | "set_fan_mode" + | "sets_target_humidity" + | "set_target_humidity" + | "sets_hvac_operation_mode" + | "hvac_operation_mode" + | "set_hvac_mode" + | "sets_swing_operation_mode" + | "swing_operation_mode" + | "set_swing_mode" + | "sets_target_temperature" + | "high_target_temperature" + | "target_temperature_high" + | "low_target_temperature" + | "target_temperature_low" + | "set_target_temperature" + | "turns_climate_device_off" + | "turns_climate_device_on" + | "add_event_description" + | "calendar_id_description" + | "calendar_id" + | "description_description" + | "summary_description" + | "creates_event" + | "dashboard_path" + | "view_path" + | "show_dashboard_view" + | "brightness_value" + | "a_human_readable_color_name" + | "color_name" + | "color_temperature_in_mireds" + | "light_effect" + | "hue_sat_color" + | "color_temperature_in_kelvin" + | "profile_description" + | "rgbw_color" + | "rgbww_color" + | "white_description" + | "xy_color" + | "turn_off_description" + | "brightness_step_description" + | "brightness_step_value" + | "brightness_step_pct_description" + | "brightness_step" + | "topic_to_listen_to" + | "topic" + | "export" + | "publish_description" + | "the_payload_to_publish" + | "payload" + | "payload_template" + | "qos" + | "retain" + | "topic_to_publish_to" + | "publish" + | "selects_the_next_option" + | "ptz_move_description" + | "ptz_move_speed" + | "ptz_move" + | "log_description" + | "entity_id_description" + | "log" + | "toggles_a_switch_on_off" + | "turns_a_switch_off" + | "turns_a_switch_on" | "reload_themes_description" | "reload_themes" | "name_of_a_theme" | "set_the_default_theme" + | "toggles_the_helper_on_off" + | "turns_off_the_helper" + | "turns_on_the_helper" | "decrements_a_counter" | "increments_a_counter" | "resets_a_counter" | "sets_the_counter_value" - | "code_description" - | "arm_with_custom_bypass" - | "alarm_arm_vacation_description" - | "disarms_the_alarm" - | "alarm_trigger_description" + | "remote_connect" + | "remote_disconnect" | "get_weather_forecast" | "type_description" | "forecast_type" | "get_forecast" | "get_weather_forecasts" | "get_forecasts" - | "load_url_description" - | "url_to_load" - | "load_url" - | "configuration_parameter_to_set" - | "key" - | "set_configuration" - | "application_description" - | "application" - | "start_application" - | "decrease_speed_description" - | "percentage_step_description" - | "decrease_speed" - | "increase_speed_description" - | "increase_speed" - | "oscillate_description" - | "turn_on_off_oscillation" - | "set_direction_description" - | "direction_to_rotate" - | "set_direction" - | "sets_the_fan_speed" - | "speed_of_the_fan" - | "percentage" - | "set_speed" - | "toggles_the_fan_on_off" - | "turns_fan_off" - | "turns_fan_on" - | "locks_a_lock" - | "opens_a_lock" - | "unlocks_a_lock" - | "press_the_button_entity" + | "disables_the_motion_detection" + | "disable_motion_detection" + | "enables_the_motion_detection" + | "enable_motion_detection" + | "format_description" + | "format" + | "media_player_description" + | "play_stream" + | "filename" + | "lookback" + | "snapshot_description" + | "take_snapshot" + | "turns_off_the_camera" + | "turns_on_the_camera" + | "clear_tts_cache" + | "cache" + | "options_description" + | "say_a_tts_message" + | "speak" + | "broadcast_address" + | "broadcast_port_description" + | "broadcast_port" + | "send_magic_packet" + | "set_datetime_description" + | "the_target_date" + | "datetime_description" + | "date_time" + | "the_target_time" | "bridge_identifier" | "configuration_payload" | "entity_description" @@ -3250,25 +3315,27 @@ export type LocaleKeys = | "device_refresh_description" | "device_refresh" | "remove_orphaned_entries" - | "closes_a_valve" - | "opens_a_valve" - | "set_valve_position_description" - | "stops_the_valve_movement" - | "toggles_a_valve_open_closed" - | "add_event_description" - | "calendar_id_description" - | "calendar_id" - | "description_description" - | "summary_description" - | "creates_event" - | "ptz_move_description" - | "ptz_move_speed" - | "ptz_move" - | "set_datetime_description" - | "the_target_date" - | "datetime_description" - | "date_time" - | "the_target_time" + | "removes_a_group" + | "object_id" + | "creates_updates_a_user_group" + | "add_entities" + | "icon_description" + | "name_of_the_group" + | "remove_entities" + | "cancels_a_timer" + | "changes_a_timer" + | "finishes_a_timer" + | "pauses_a_timer" + | "starts_a_timer" + | "duration_description" + | "set_default_level_description" + | "level_description" + | "set_default_level" + | "set_level" + | "clear_skipped_update" + | "install_update" + | "skip_description" + | "skip_update" | "ui_components_area_picker_add_dialog_title" | "event_not_all_required_fields" | "ui_dialogs_aliases_add_alias" @@ -3312,33 +3379,41 @@ export type LocaleKeys = | "ui_panel_lovelace_editor_color_picker_colors_white" | "ui_panel_lovelace_editor_color_picker_colors_yellow" | "ui_panel_lovelace_editor_color_picker_default_color" + | "ui_panel_lovelace_editor_edit_section_title_input_label" + | "ui_panel_lovelace_editor_edit_section_title_title" + | "ui_panel_lovelace_editor_edit_section_title_title_new" | "ui_components_floor_picker_add_dialog_text" | "ui_components_floor_picker_add_dialog_title" | "tags" | "ui_panel_lovelace_editor_features_types_number_label" | "ui_panel_lovelace_editor_strategy_original_states_hidden_areas" - | "trigger_type_turned_on" | "trigger_type_remote_button_long_release" + | "trigger_type_turned_on" + | "ui_card_lock_open_door_success" | "ui_panel_lovelace_editor_edit_view_type_helper_others" | "ui_panel_lovelace_editor_edit_view_type_helper_sections" + | "media_player_entity_id_description" | "restart_safe_mode_failed" + | "ui_panel_lovelace_editor_edit_card_tab_visibility" | "ui_panel_lovelace_editor_features_types_number_style" | "error_already_in_progress" | "ui_panel_lovelace_editor_features_types_number_style_list_buttons" | "component_switchbot_config_error_one" | "component_cloud_config_step_one" | "component_cloud_config_step_other" - | "ui_components_floor_picker_add_dialog_add" - | "ui_panel_lovelace_editor_features_types_number_style_list_slider" | "ui_components_floor_picker_add_dialog_failed_create_floor" + | "google_home_fallback_linked_matter_apps_services" + | "ui_panel_lovelace_editor_features_types_number_style_list_slider" + | "confirm_description" | "error_invalid_host" - | "bluetooth_confirm_description" + | "ui_panel_lovelace_components_energy_period_selector_today" + | "ui_panel_lovelace_editor_edit_card_tab_config" + | "ui_components_floor_picker_add_dialog_add" | "ui_components_floor_picker_add_dialog_name" | "component_switchbot_config_error_few" | "component_switchbot_config_error_other" | "component_homeassistant_config_step_few" | "component_cloud_config_step_few" | "component_switchbot_config_error_many" - | "google_home_fallback_linked_matter_apps_services" | "condition_type_is_volatile_organic_compounds_parts" | "trigger_type_volatile_organic_compounds_parts"; diff --git a/packages/core/src/hooks/useLocale/locales/uk/uk.json b/packages/core/src/hooks/useLocale/locales/uk/uk.json index ab5ee8b..c779bf3 100644 --- a/packages/core/src/hooks/useLocale/locales/uk/uk.json +++ b/packages/core/src/hooks/useLocale/locales/uk/uk.json @@ -107,7 +107,8 @@ "open": "Open", "open_door": "Open door", "really_open": "Справді відкрити?", - "door_open": "Двері відкриті", + "done": "Done", + "ui_card_lock_open_door_success": "Двері відкриті", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Перегляд медіа", @@ -138,7 +139,7 @@ "option": "Option", "installing": "Встановлення", "installing_progress": "Встановлення ({progress}%)", - "up_to_date": "Актуальний", + "up_to_date": "Up-to-date", "empty_value": "(пусте значення)", "start": "Start", "finish": "Finish", @@ -183,8 +184,9 @@ "continue": "Продовжити", "previous": "Previous", "loading": "Завантаження…", - "refresh": "Оновити", + "reload": "Оновити", "delete": "Delete", + "delete_all": "Видалити все", "upload": "Завантажити", "duplicate": "Дублювати", "remove": "Remove", @@ -205,8 +207,8 @@ "rename": "Перейменувати", "search": "Search", "ok": "OK", - "yes": "Так", - "no": "Ні", + "yes": "Yes", + "no": "No", "not_now": "Не зараз", "skip": "Пропустити", "menu": "Меню", @@ -227,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Не вдалося завантажити", "unknown_file": "Невідомий файл", + "select_image": "Вибрати зображення", + "upload_picture": "Завантажити зображення", + "image_url": "Локальний шлях або веб-адреса", "latitude": "Latitude", "longitude": "Longitude", "radius": "Радіус", @@ -239,6 +244,7 @@ "date_and_time": "Дата і час", "duration": "Duration", "entity": "Entity", + "floor": "Поверх", "icon": "Icon", "location": "Location", "number": "Номер", @@ -277,6 +283,7 @@ "was_opened": "був відкритий", "was_closed": "був закритий", "is_opening": "відкривається", + "is_opened": "відкрито", "is_closing": "закривається", "was_unlocked": "був розблокований", "was_locked": "був заблокований", @@ -322,10 +329,13 @@ "sort_by_sortcolumn": "Сортувати за {sortColumn}", "group_by_groupcolumn": "Згрупувати за {groupColumn}", "don_t_group": "Не групувати", + "collapse_all": "Згорнути все", + "expand_all": "Розгорнути все", "selected_selected": "Вибрано {selected}", "close_selection_mode": "Закрити режим вибору", "select_all": "Вибрати все", "select_none": "Не вибрати нічого", + "customize_table": "Налаштувати таблицю", "conversation_agent": "Розмовний агент", "none": "Немає", "country": "Країна", @@ -335,7 +345,7 @@ "no_theme": "Немає теми", "language": "Language", "no_languages_available": "Немає доступних мов", - "text_to_speech": "Текст у мовлення", + "text_to_speech": "Text to speech", "voice": "Голос", "no_user": "Немає користувача", "add_user": "Додати користувача", @@ -374,7 +384,6 @@ "ui_components_area_picker_add_dialog_text": "Введіть назву нового приміщення.", "ui_components_area_picker_add_dialog_title": "Додати приміщення", "show_floors": "Показати поверхи", - "floor": "Поверх", "add_new_floor_name": "Додати новий поверх ''{name}''", "add_new_floor": "Додати новий поверх...", "floor_picker_no_floors": "У вас немає поверхів", @@ -453,6 +462,9 @@ "last_month": "Минулого місяця", "this_year": "Цього року", "last_year": "Минулого року", + "reset_to_default_size": "Відновити розмір за замовчуванням", + "number_of_columns": "Кількість стовпців", + "number_of_rows": "Кількість рядів", "never": "Ніколи", "history_integration_disabled": "Історія Інтеграцій вимкнена", "loading_state_history": "Завантаження історії стану …", @@ -484,6 +496,10 @@ "filtering_by": "Фільтрування за", "number_hidden": "{number} приховано", "ungrouped": "Не згруповані", + "customize": "Налаштувати", + "hide_column_title": "Приховати стовпець {title}", + "show_column_title": "Показати стовпець {title}", + "restore_defaults": "Відновити значення за замовчуванням", "message": "Message", "gender": "Стать", "male": "Чоловічий", @@ -638,7 +654,6 @@ "themes": "Теми", "action_server": "{action} сервер", "restart": "Restart", - "reload": "Reload", "navigate": "Навігація", "server": "Сервер", "logs": "Журнал сервера", @@ -817,7 +832,7 @@ "restart_home_assistant": "Перезапустити Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Швидке перезавантаження", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Перезавантаження конфігурації", "failed_to_reload_configuration": "Не вдалося перезавантажити конфігурацію", "restart_description": "Перериває всі запущені автоматизації та скрипти.", @@ -991,7 +1006,6 @@ "notification_toast_no_matching_link_found": "Не знайдено відповідного Моє посилання для {path}", "app_configuration": "Конфігурація додатку", "sidebar_toggle": "Перемикач в бічній панелі", - "done": "Done", "hide_panel": "Приховати панель", "show_panel": "Показати панель", "show_more_information": "Показати більше інформації", @@ -1089,9 +1103,11 @@ "view_configuration": "Налаштування вкладки", "name_view_configuration": "Налаштування вкладки \"{name}\"", "add_view": "Додати вкладку", + "background_title": "Додати фон для вкладки", "edit_view": "Змінити вкладку", "move_view_left": "Перемістити вкладку ліворуч", "move_view_right": "Перемістити вкладку праворуч", + "background": "Фон", "icons": "Значки", "view_type": "Тип вкладки", "masonry_default": "Розкладка (за замовчуванням)", @@ -1100,8 +1116,8 @@ "sections_experimental": "Секції (експериментальні)", "subview": "Допоміжна вкладка", "max_number_of_columns": "Максимальна кількість стовпців", - "edit_in_visual_editor": "Редагувати за допомогою інтерфейсу користувача", - "edit_in_yaml": "Редагувати YAML", + "edit_in_visual_editor": "Редагувати у візуальному редакторі", + "edit_in_yaml": "Редагувати в YAML", "saving_failed": "Помилка збереження", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Ви не можете змінити вкладку на інший тип, оскільки міграція ще не підтримується. Якщо ви хочете використовувати інший тип вкладки, почніть з нуля з новою вкладкою.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Ви не можете змінити свої вкладки на \"секції\", оскільки міграція ще не підтримується. Якщо ви хочете поекспериментувати з \"секціями\", почніть з нуля з новою вкладкою.", @@ -1124,6 +1140,8 @@ "increase_card_position": "Збільшити позицію картки", "more_options": "Більше опцій", "search_cards": "Пошук карток", + "config": "Конфігурація", + "layout": "Макет", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Яку картку Ви хотіли б додати на вкладку {name}?", "move_card_error_title": "Неможливо перемістити картку", "choose_a_view": "Виберіть вкладку", @@ -1142,8 +1160,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} і всі її картки будуть видалені.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} буде видалено.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Ця секція", - "edit_name": "Редагувати назву", - "add_name": "Додати назву", + "edit_section": "Редагувати секцію", "suggest_card_header": "Варіант відображення в інтерфейсі користувача", "pick_different_card": "Вибрати іншу картку", "add_to_dashboard": "Додати на інформаційну панель", @@ -1164,8 +1181,8 @@ "condition_did_not_pass": "Умова не виконана", "invalid_configuration": "Неправильна конфігурація", "entity_numeric_state": "Числовий стан сутності", - "above": "Вище", - "below": "Нижче", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Розміри екрану", "mobile": "Мобільний", @@ -1360,181 +1377,128 @@ "ui_panel_lovelace_editor_color_picker_colors_teal": "Бірюзовий", "ui_panel_lovelace_editor_color_picker_colors_white": "Білий", "ui_panel_lovelace_editor_color_picker_colors_yellow": "Жовтий", + "ui_panel_lovelace_editor_edit_section_title_title": "Редагувати назву", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Додати назву", "warning_attribute_not_found": "Атрибут {attribute} недоступний у {entity}", "entity_not_available_entity": "Сутність {entity} недоступна.", "entity_is_non_numeric_entity": "Сутність не є числовою: {entity}", "warning_entity_unavailable": "Сутність {entity} наразі недоступна.", "invalid_timestamp": "Невірна часова мітка", "invalid_display_format": "Невірний формат відображення", + "now": "Зараз", "compare_data": "Порівняти Дані", "reload_ui": "Перезавантажити інтерфейс", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Камера", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Група", - "timer": "Таймер", - "zone": "Зона", - "schedule": "Розклад", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Штори, жалюзі, ворота", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Логічне значення", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Розмова", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Штори, жалюзі, ворота", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Кнопка введення", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Панель керування сигналізацією", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Вентилятор", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Трекер пристрою", + "trace": "Trace", + "stream": "Stream", + "person": "Особа", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Логічне значення", + "camera": "Камера", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Дата та час", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "tag": "Tag", + "diagnostics": "Діагностика", + "siren": "Сирена", + "fitbit": "Fitbit", + "automation": "Автоматизація", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Скрипт", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Клімат", + "conversation": "Розмова", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "Розмір файлу", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Облікові дані програми", - "local_calendar": "Місцевий календар", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Текст", - "rpi_power_title": "Raspberry Pi power supply checker", - "weather": "Погода", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Група", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Розклад", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Пульт дистанційного керування", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi power supply checker", + "script": "Скрипт", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Трекер пристрою", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Погода", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Пульт дистанційного керування", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "Бінарний сенсор", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Вентилятор", + "scene": "Scene", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Клімат", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Лічильник", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Мобільний додаток", - "diagnostics": "Діагностика", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Особа", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "tag": "Tag", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Сирена", + "deconz": "deCONZ", + "timer": "Таймер", + "application_credentials": "Облікові дані програми", "logger": "Logger", - "assist_pipeline": "Assist Pipeline", - "automation": "Автоматизація", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Кнопка введення", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Лічильник", - "binary_sensor": "Бінарний сенсор", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "Версія агента ОС", - "apparmor_version": "Версія Apparmor", - "cpu_percent": "Відсоток ЦП", - "disk_free": "Диск вільно", - "disk_total": "Диск всього", - "disk_used": "Диск використовується", - "memory_percent": "Відсоток пам'яті", - "version": "Version", - "newest_version": "Найновіша версія", + "local_calendar": "Місцевий календар", "synchronize_devices": "Синхронізувати пристрої", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Загальне споживання", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Пінг", - "bytes_sent": "Bytes sent", - "air_quality_index": "Індекс якості повітря", - "illuminance": "Освітленість", - "noise": "Шум", - "overload": "Перевантаження", - "voltage": "Напруга", - "estimated_distance": "Орієнтовна відстань", - "vendor": "Постачальник", - "assist_in_progress": "Допомога в процесі", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Бажаний", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Дзвін", - "doorbell_volume": "Doorbell volume", - "last_activity": "Остання активність", - "last_ding": "Останній дзвін", - "last_motion": "Останній рух", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Категорія сигналу Wi-Fi", - "wi_fi_signal_strength": "Потужність сигналу Wi-Fi", - "battery_level": "Battery level", - "size": "Розмір", - "size_in_bytes": "Розмір у байтах", - "finished_speaking_detection": "Чутливість до тиші", - "aggressive": "Агресивно", - "default": "За замовчуванням", - "relaxed": "Спокійно", - "call_active": "Виклик активний", - "quiet": "Тихо", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Масивно", "mild": "Помірно", "button_down": "Button down", @@ -1551,41 +1515,20 @@ "not_completed": "Не завершено", "pending": "В очікуванні", "checking": "Checking", - "closed": "Closed", + "closed": "Зачинено", "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "connected": "Підключено", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", - "screen_off_timer": "Screen off timer", - "screensaver_brightness": "Screensaver brightness", - "screensaver_timer": "Screensaver timer", - "current_page": "Current page", - "foreground_app": "Foreground app", - "internal_storage_free_space": "Internal storage free space", - "internal_storage_total_space": "Internal storage total space", - "free_memory": "Free memory", - "total_memory": "Total memory", - "screen_orientation": "Screen orientation", - "kiosk_lock": "Kiosk lock", - "maintenance_mode": "Maintenance mode", - "motion_detection": "Виявлення руху", - "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Внутрішня температура", - "outside_temperature": "Зовнішня температура", + "battery_level": "Battery level", + "os_agent_version": "Версія агента ОС", + "apparmor_version": "Версія Apparmor", + "cpu_percent": "Відсоток ЦП", + "disk_free": "Диск вільно", + "disk_total": "Диск всього", + "disk_used": "Диск використовується", + "memory_percent": "Відсоток пам'яті", + "version": "Version", + "newest_version": "Найновіша версія", "next_dawn": "Наступний світанок", "next_dusk": "Наступні сутінки", "next_midnight": "Наступна північ", @@ -1595,17 +1538,124 @@ "solar_azimuth": "Азимут сонця", "solar_elevation": "Висота сонця", "solar_rising": "Solar rising", - "calibration": "Калібрування", - "auto_lock_paused": "Автоматичне блокування призупинено", - "timeout": "Timeout", - "unclosed_alarm": "Не на сигналізації", - "unlocked_alarm": "Розблокована сигналізація", - "bluetooth_signal": "Сигнал Bluetooth", - "light_level": "Рівень освітлення", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Миттєво", - "pull_retract": "Витягнути/втягнути", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Внутрішня температура", + "outside_temperature": "Зовнішня температура", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Чутливість до тиші", + "aggressive": "Агресивно", + "default": "За замовчуванням", + "relaxed": "Спокійно", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "connected": "Підключено", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", + "screensaver_brightness": "Screensaver brightness", + "screensaver_timer": "Screensaver timer", + "current_page": "Current page", + "foreground_app": "Foreground app", + "internal_storage_free_space": "Internal storage free space", + "internal_storage_total_space": "Internal storage total space", + "free_memory": "Free memory", + "total_memory": "Total memory", + "screen_orientation": "Screen orientation", + "kiosk_lock": "Kiosk lock", + "maintenance_mode": "Maintenance mode", + "motion_detection": "Виявлення руху", + "screensaver": "Screensaver", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Волого", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Загальне споживання", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Рівень сигналу", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Напруга", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Орієнтовна відстань", + "vendor": "Постачальник", + "air_quality_index": "Індекс якості повітря", + "illuminance": "Освітленість", + "noise": "Шум", + "overload": "Перевантаження", + "size": "Розмір", + "size_in_bytes": "Розмір у байтах", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Пінг", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Виявлено", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1615,6 +1665,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1672,23 +1725,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Цифровий", "digital_first": "Спочатку цифровий", "pan_tilt_first": "Спочатку панорамування/нахил", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Автоматично та завжди ввімкнено вночі", + "stay_off": "Залишити вимкненим", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Автоматично та завжди ввімкнено вночі", - "stay_off": "Залишити вимкненим", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1702,6 +1758,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Сигнал Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1710,6 +1767,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1717,79 +1775,86 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Трекери пристроїв", - "gps_accuracy": "GPS accuracy", + "call_active": "Виклик активний", + "quiet": "Тихо", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Калібрування", + "auto_lock_paused": "Автоматичне блокування призупинено", + "timeout": "Timeout", + "unclosed_alarm": "Не на сигналізації", + "unlocked_alarm": "Розблокована сигналізація", + "bluetooth_signal": "Сигнал Bluetooth", + "light_level": "Рівень освітлення", + "momentary": "Миттєво", + "pull_retract": "Витягнути/втягнути", + "ding": "Дзвін", + "doorbell_volume": "Doorbell volume", + "last_activity": "Остання активність", + "last_ding": "Останній дзвін", + "last_motion": "Останній рух", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Категорія сигналу Wi-Fi", + "wi_fi_signal_strength": "Потужність сигналу Wi-Fi", + "automatic": "Автоматичний", + "box": "Бокс", + "step": "Крок", + "apparent_power": "Повна потужність", + "carbon_dioxide": "Вуглекислий газ", + "data_rate": "Швидкість передачі даних", + "distance": "Відстань", + "stored_energy": "Накопичена енергія", + "frequency": "Частота", + "irradiance": "Опромінення", + "nitrogen_dioxide": "Діоксид азоту", + "nitrogen_monoxide": "Оксид азоту", + "nitrous_oxide": "Закис азоту", + "ozone": "Озон", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Коефіцієнт потужності", + "precipitation_intensity": "Інтенсивність опадів", + "pressure": "Тиск", + "reactive_power": "Реактивна потужність", + "sound_pressure": "Звуковий тиск", + "speed": "Speed", + "sulphur_dioxide": "Діоксид сірки", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Збережений обсяг", + "weight": "Вага", + "available_tones": "Доступні тони", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Керується через інтерфейс користувача", + "next_event": "Наступна подія", + "stopped": "Stopped", + "garage": "Гараж", "running_automations": "Запущені автоматизації", - "max_running_scripts": "Максимальна кількість запущених скриптів", + "id": "ID", + "max_running_automations": "Максимальна кількість запущених автоматизацій", "run_mode": "Режим запуску", "parallel": "Паралельний", "queued": "У черзі", "single": "Єдиний", - "end_time": "End time", - "start_time": "Start time", - "recording": "Запис", - "streaming": "Трансляція", - "access_token": "Токен доступу", - "brand": "Бренд", - "stream_type": "Тип потоку", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Модель", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Маршрутизатор", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Додаткове нагрівання", - "current_humidity": "Поточна вологість", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Дифузний", - "top": "Верх", - "current_action": "Поточна дія", - "drying": "Сушіння", + "not_charging": "Не заряджається", + "unplugged": "Відключено", "hot": "Нагрівання", - "preheating": "Підігрів", - "max_target_humidity": "Максимальна цільова вологість", - "max_target_temperature": "Максимальна цільова температура", - "min_target_humidity": "Мінімальна цільова вологість", - "min_target_temperature": "Мінімальна цільова температура", - "boost": "Турбо", - "comfort": "Комфорт", - "eco": "Еко", - "sleep": "Сон", - "presets": "Пресети", - "swing_mode": "Swing mode", - "both": "Обидва", - "horizontal": "Горизонтальний", - "upper_target_temperature": "Верхня цільова температура", - "lower_target_temperature": "Нижня цільова температура", - "target_temperature_step": "Крок заданої температури", - "buffering": "Буферизація", - "paused": "Призупинено", + "no_light": "Немає світла", + "light_detected": "Виявлено світло", + "locked": "Заблоковано", + "unlocked": "Розблоковано", + "not_moving": "Без руху", + "not_running": "Не запущено", + "safe": "Безпечно", + "unsafe": "Небезпечно", + "tampering_detected": "Tampering detected", + "buffering": "Буферизація", + "paused": "Призупинено", "playing": "Грає", "app_id": "Додаток ID", "local_accessible_entity_picture": "Локальне доступне зображення сутності", @@ -1808,74 +1873,11 @@ "receiver": "Приймач", "speaker": "Спікер", "tv": "Телевізор", - "color_mode": "Color Mode", - "brightness_only": "Лише яскравість", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Колірна температура (mireds)", - "color_temperature_kelvin": "Колірна температура (Kelvin)", - "available_effects": "Доступні ефекти", - "maximum_color_temperature_kelvin": "Максимальна колірна температура (Kelvin)", - "maximum_color_temperature_mireds": "Максимальна колірна температура (mireds)", - "minimum_color_temperature_kelvin": "Мінімальна колірна температура (Kelvin)", - "minimum_color_temperature_mireds": "Мінімальна колірна температура (mireds)", - "available_color_modes": "Доступні колірні режими", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Доступні тони", - "locked": "Заблоковано", - "unlocked": "Розблоковано", - "members": "Учасники", - "managed_via_ui": "Керується через інтерфейс користувача", - "id": "ID", - "max_running_automations": "Максимальна кількість запущених автоматизацій", - "finishes_at": "Закінчується о", - "remaining": "Залишилося", - "next_event": "Наступна подія", - "update_available": "Доступне оновлення", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Автоматичний", - "box": "Бокс", - "step": "Крок", - "apparent_power": "Повна потужність", - "carbon_dioxide": "Вуглекислий газ", - "data_rate": "Швидкість передачі даних", - "distance": "Відстань", - "stored_energy": "Накопичена енергія", - "frequency": "Частота", - "irradiance": "Опромінення", - "nitrogen_dioxide": "Діоксид азоту", - "nitrogen_monoxide": "Оксид азоту", - "nitrous_oxide": "Закис азоту", - "ozone": "Озон", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Коефіцієнт потужності", - "precipitation_intensity": "Інтенсивність опадів", - "pressure": "Тиск", - "reactive_power": "Реактивна потужність", - "signal_strength": "Рівень сигналу", - "sound_pressure": "Звуковий тиск", - "speed": "Speed", - "sulphur_dioxide": "Діоксид сірки", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Збережений обсяг", - "weight": "Вага", - "stopped": "Stopped", - "garage": "Гараж", - "pattern": "Шаблон", + "above_horizon": "Над горизонтом", + "below_horizon": "За горизонтом", + "oscillating": "Oscillating", + "speed_step": "Крок швидкості", + "available_preset_modes": "Доступні попередньо встановлені режими", "armed_home": "Охорона (вдома)", "armed_night": "Охорона (ніч)", "triggered": "Спрацьовано", @@ -1883,15 +1885,70 @@ "code_for_arming": "Код для постановки на охорону", "not_required": "Не обов'язково", "code_format": "Формат коду", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Маршрутизатор", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Трекери пристроїв", + "max_running_scripts": "Максимальна кількість запущених скриптів", + "jammed": "Заклинило", + "locking": "Блокування", + "unlocking": "Розблокування", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Додаткове нагрівання", + "current_humidity": "Поточна вологість", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Дифузний", + "top": "Верх", + "current_action": "Поточна дія", + "drying": "Сушіння", + "preheating": "Підігрів", + "max_target_humidity": "Максимальна цільова вологість", + "max_target_temperature": "Максимальна цільова температура", + "min_target_humidity": "Мінімальна цільова вологість", + "min_target_temperature": "Мінімальна цільова температура", + "boost": "Турбо", + "comfort": "Комфорт", + "eco": "Еко", + "sleep": "Сон", + "presets": "Пресети", + "swing_mode": "Swing mode", + "both": "Обидва", + "horizontal": "Горизонтальний", + "upper_target_temperature": "Верхня цільова температура", + "lower_target_temperature": "Нижня цільова температура", + "target_temperature_step": "Крок заданої температури", "last_reset": "Останнє скидання", "possible_states": "Можливі стани", - "state_class": "State class", + "state_class": "Клас стану", "measurement": "Вимірювання", "total": "Всього", "total_increasing": "Загальний приріст", + "conductivity": "Conductivity", "data_size": "Розмір даних", "balance": "Баланс", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Лише яскравість", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Колірна температура (mireds)", + "color_temperature_kelvin": "Колірна температура (Kelvin)", + "available_effects": "Доступні ефекти", + "maximum_color_temperature_kelvin": "Максимальна колірна температура (Kelvin)", + "maximum_color_temperature_mireds": "Максимальна колірна температура (mireds)", + "minimum_color_temperature_kelvin": "Мінімальна колірна температура (Kelvin)", + "minimum_color_temperature_mireds": "Мінімальна колірна температура (mireds)", + "available_color_modes": "Доступні колірні режими", "clear_night": "Ясно, ніч", "cloudy": "Хмарно", "exceptional": "Попередження", @@ -1914,58 +1971,77 @@ "uv_index": "UV index", "wind_bearing": "Напрям вітру", "wind_gust_speed": "Швидкість поривів вітру", - "above_horizon": "Над горизонтом", - "below_horizon": "За горизонтом", - "oscillating": "Oscillating", - "speed_step": "Крок швидкості", - "available_preset_modes": "Доступні попередньо встановлені режими", - "jammed": "Заклинило", - "locking": "Блокування", - "unlocking": "Розблокування", - "identify": "Ідентифікувати", - "not_charging": "Не заряджається", - "detected": "Виявлено", - "unplugged": "Відключено", - "no_light": "Немає світла", - "light_detected": "Виявлено світло", - "wet": "Волого", - "not_moving": "Без руху", - "not_running": "Не запущено", - "safe": "Безпечно", - "unsafe": "Небезпечно", - "tampering_detected": "Tampering detected", + "recording": "Запис", + "streaming": "Трансляція", + "access_token": "Токен доступу", + "brand": "Бренд", + "stream_type": "Тип потоку", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Модель", "minute": "Хвилина", "second": "Секунда", - "location_is_already_configured": "Налаштування для цього місцезнаходження вже виконане.", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Хибний ключ API", - "api_key": "Ключ API", + "pattern": "Шаблон", + "members": "Учасники", + "finishes_at": "Закінчується о", + "remaining": "Залишилося", + "identify": "Ідентифікувати", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Хочете почати налаштування?", + "device_is_already_configured": "Цей пристрій вже налаштовано", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Не вдалося під'єднатися", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Невірна аутентифікація", + "username": "Ім'я користувача", + "host": "Host", + "port": "Порт", "account_is_already_configured": "Обліковий запис уже налаштовано", "abort_already_in_progress": "Процес налаштування вже триває.", - "failed_to_connect": "Не вдалося під'єднатися", "invalid_access_token": "Невірний токен доступу.", "received_invalid_token_data": "Отримано невірні дані токена.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Повторна автентифікація пройшла успішно", - "timeout_establishing_connection": "Тайм-аут встановлення з’єднання", "successfully_authenticated": "Автентифікацію успішно завершено.", - "link_google_account": "Пов’язати обліковий запис Google", + "link_fitbit": "Зв'язати Fitbit", "pick_authentication_method": "Виберіть спосіб аутентифікації", "authentication_expired_for_name": "Authentication expired for {name}", - "service_is_already_configured": "Service is already configured", - "confirm_description": "Ви хочете налаштувати {name}?", - "device_is_already_configured": "Цей пристрій вже налаштовано", - "abort_no_devices_found": "Пристрої не знайдені в мережі.", - "connection_error_error": "Помилка підключення: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Ім'я користувача", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Вже налаштовано. Можлива лише одна конфігурація.", + "service_is_already_configured": "Ця служба вже налаштована", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Ви хочете налаштувати {name} ?", + "adapter": "Адаптер", + "multiple_adapters_description": "Виберіть адаптер Bluetooth для налаштування", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Ключ API", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1981,6 +2057,29 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Тайм-аут встановлення з’єднання", + "link_google_account": "Пов’язати обліковий запис Google", + "abort_no_devices_found": "Пристрої не знайдені в мережі.", + "connection_error_error": "Помилка підключення: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Клас пристрою", + "state_template": "Шаблон стану", + "template_binary_sensor": "Шаблон двійкового датчика", + "template_sensor": "Шаблон датчика", + "template_helper": "Помічник шаблону", + "location_is_already_configured": "Налаштування для цього місцезнаходження вже виконане.", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Хибний ключ API", + "pin_code": "PIN-код", + "discovered_android_tv": "Виявлено Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", "abort_invalid_host": "Неправильне доменне ім'я або IP-адреса.", "device_not_supported": "Цей пристрій не підтримується.", "name_model_at_host": "{name} ({model}, {host})", @@ -1990,29 +2089,6 @@ "yes_do_it": "Так, зробити це.", "unlock_the_device_optional": "Розблокування пристрою (необов'язково)", "connect_to_the_device": "Підключення до пристрою", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "У кінцевій точці не знайдено служб", - "port": "Порт", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Невірна аутентифікація", - "two_factor_code": "Код двофакторної аутентифікації", - "two_factor_authentication": "Двофакторна аутентифікація", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Зв'язати Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Недійсна тема ініціалізації", "error_bad_certificate": "Сертифікат ЦС недійсний", "invalid_discovery_prefix": "Неприпустимий префікс виявлення", @@ -2036,18 +2112,42 @@ "path_is_not_allowed": "Шлях заборонений", "path_is_not_valid": "Шлях недійсний", "path_to_file": "Шлях до файлу", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "Сталася помилка API", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Увімкніть HTTPS", "abort_mdns_missing_mac": "Відсутня MAC-адреса у властивостях MDNS.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", "abort_mqtt_missing_mac": "Missing MAC address in MQTT properties.", "service_received": "Послугу отримано", "encryption_key": "Ключ шифрування", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "У кінцевій точці не знайдено служб", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Непідтримуваний тип Switchbot.", + "authentication_failed_error_detail": "Помилка автентифікації: {error_detail}", + "error_encryption_key_invalid": "Ідентифікатор ключа або ключ шифрування недійсні", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Обліковий запис SwitchBot (рекомендовано)", + "menu_options_lock_key": "Введіть ключ шифрування блокування вручну", + "key_id": "Ідентифікатор ключа", + "password_description": "Password to protect the backup with.", + "device_address": "Адреса пристрою", + "meteorologisk_institutt": "Норвезький метеорологічний інститут.", + "two_factor_code": "Код двофакторної аутентифікації", + "two_factor_authentication": "Двофакторна аутентифікація", + "bridge_is_already_configured": "Налаштування цього пристрою вже виконано.", + "no_deconz_bridges_discovered": "Шлюзи deCONZ не знайдені.", + "abort_no_hardware_available": "Радіообладнання не підключено до deCONZ.", + "abort_updated_instance": "Адресу хоста оновлено.", + "error_linking_not_possible": "Не вдалося встановити зв'язок зі шлюзом", + "error_no_key": "Не вдалося отримати ключ API.", + "link_with_deconz": "Зв'язок з deCONZ", + "select_discovered_deconz_gateway": "Виберіть виявлений шлюз deCONZ", "all_entities": "Всі сутності", "hide_members": "Приховати учасників", "add_group": "Додати групу", - "device_class": "Клас пристрою", "ignore_non_numeric": "Ігнорувати нечислові", "data_round_digits": "Округлити значення до кількості десяткових знаків", "type": "Type", @@ -2060,80 +2160,50 @@ "media_player_group": "Група медіаплеєрів", "sensor_group": "Група датчиків", "switch_group": "Група перемикачів", - "name_already_exists": "Назва вже існує", - "passive": "Пасивний", - "define_zone_parameters": "Визначення параметрів зони", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Пристрій краще підтримується іншою інтеграцією", "abort_discovery_error": "Не вдалося знайти відповідний пристрій DLNA", "abort_incomplete_config": "У конфігурації відсутня необхідна змінна", "manual_description": "URL-адреса до XML-файлу з описом пристрою", "manual_title": "Ручне підключення пристрою DLNA DMR", "discovered_dlna_dmr_devices": "Виявлені пристрої DLNA DMR", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Назва вже існує", + "passive": "Пасивний", + "define_zone_parameters": "Визначення параметрів зони", "calendar_name": "Назва календаря", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "bluetooth_confirm_description": "Ви хочете налаштувати {name} ?", - "adapter": "Адаптер", - "multiple_adapters_description": "Виберіть адаптер Bluetooth для налаштування", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "pin_code": "PIN-код", - "discovered_android_tv": "Виявлено Android TV", - "state_template": "Шаблон стану", - "template_binary_sensor": "Шаблон двійкового датчика", - "template_sensor": "Шаблон датчика", - "template_helper": "Помічник шаблону", - "bridge_is_already_configured": "Налаштування цього пристрою вже виконано.", - "no_deconz_bridges_discovered": "Шлюзи deCONZ не знайдені.", - "abort_no_hardware_available": "Радіообладнання не підключено до deCONZ.", - "abort_updated_instance": "Адресу хоста оновлено.", - "error_linking_not_possible": "Не вдалося встановити зв'язок зі шлюзом", - "error_no_key": "Не вдалося отримати ключ API.", - "link_with_deconz": "Зв'язок з deCONZ", - "select_discovered_deconz_gateway": "Виберіть виявлений шлюз deCONZ", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Непідтримуваний тип Switchbot.", - "authentication_failed_error_detail": "Помилка автентифікації: {error_detail}", - "error_encryption_key_invalid": "Ідентифікатор ключа або ключ шифрування недійсні", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Обліковий запис SwitchBot (рекомендовано)", - "menu_options_lock_key": "Введіть ключ шифрування блокування вручну", - "key_id": "Ідентифікатор ключа", - "password_description": "Password to protect the backup with.", - "device_address": "Адреса пристрою", - "meteorologisk_institutt": "Норвезький метеорологічний інститут.", - "api_error_occurred": "Сталася помилка API", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Увімкніть HTTPS", - "enable_the_conversation_agent": "Увімкніть агент розмови", - "language_code": "Код мови", - "select_test_server": "Виберіть сервер для тестування", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Мінімальний RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Режим сканера Bluetooth", + "passive_scanning": "Пасивне сканування", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2216,6 +2286,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Увімкніть агент розмови", + "language_code": "Код мови", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Мінімальний RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Доступ Home Assistant до Календаря Google", + "ignore_cec": "Ігнорувати CEC", + "allowed_uuids": "Дозволені UUID", + "advanced_google_cast_configuration": "Розширене налаштування Google Cast", "broker_options": "Параметри брокера", "enable_will_message": "Відправляти топік про підключення", "birth_message_payload": "Значення топіка про підключення", @@ -2228,104 +2315,37 @@ "will_message_retain": "Зберігати топік про відключення", "will_message_topic": "Топік про відключення (LWT)", "mqtt_options": "Параметри MQTT", - "ignore_cec": "Ігнорувати CEC", - "allowed_uuids": "Дозволені UUID", - "advanced_google_cast_configuration": "Розширене налаштування Google Cast", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Режим сканера Bluetooth", + "protocol": "Протокол", + "select_test_server": "Виберіть сервер для тестування", + "retry_count": "Кількість повторних спроб", + "allow_deconz_clip_sensors": "Відображати сенсори deCONZ CLIP", + "allow_deconz_light_groups": "Відображати групи освітлення deCONZ", + "data_allow_new_devices": "Дозволити автоматичне додавання нових пристроїв", + "deconz_devices_description": "Налаштування видимості типів пристроїв deCONZ", + "deconz_options": "Налаштування deCONZ", "invalid_url": "Недійсний URL", "data_browse_unfiltered": "Показувати несумісні медіа під час перегляду", "event_listener_callback_url": "URL-адреса зворотного виклику слухача події", "data_listen_port": "Порт слухача подій (випадковий, якщо не вказано)", "poll_for_device_availability": "Опитування доступності пристрою", "init_title": "Конфігурація DLNA Digital Media Renderer", - "passive_scanning": "Пасивне сканування", - "allow_deconz_clip_sensors": "Відображати сенсори deCONZ CLIP", - "allow_deconz_light_groups": "Відображати групи освітлення deCONZ", - "data_allow_new_devices": "Дозволити автоматичне додавання нових пристроїв", - "deconz_devices_description": "Налаштування видимості типів пристроїв deCONZ", - "deconz_options": "Налаштування deCONZ", - "retry_count": "Кількість повторних спроб", - "data_calendar_access": "Доступ Home Assistant до Календаря Google", - "protocol": "Протокол", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Переключити {entity_name}", - "turn_off_entity_name": "Вимкнути {entity_name}", - "turn_on_entity_name": "Увімкнути {entity_name}", - "entity_name_is_off": "{entity_name} вимкнено", - "entity_name_is_on": "{entity_name} увімкнено", - "trigger_type_changed_states": "{entity_name} увімкнено або вимкнено", - "entity_name_is_home": "{entity_name} вдома", - "entity_name_is_not_home": "{entity_name} не вдома", - "entity_name_enters_a_zone": "{entity_name} входить в зону", - "entity_name_leaves_a_zone": "{entity_name} покидає зону", - "action_type_set_hvac_mode": "{entity_name}: змінити режим роботи", - "change_preset_on_entity_name": "{entity_name}: змінити пресет", - "entity_name_measured_humidity_changed": "{entity_name} змінює значення виміряної вологості", - "entity_name_measured_temperature_changed": "{entity_name} змінює значення виміряної температури", - "entity_name_hvac_mode_changed": "{entity_name} змінює режим роботи", - "entity_name_is_buffering": "{entity_name} буферизується", - "entity_name_is_idle": "{entity_name} в режимі очікування", - "entity_name_is_paused": "{entity_name} призупинено", - "entity_name_is_playing": "{entity_name} відтворює медіа", - "entity_name_starts_buffering": "{entity_name} починає буферизацію", - "entity_name_becomes_idle": "{entity_name} переходить в режим очікування", - "entity_name_starts_playing": "{entity_name} починає грати", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Перша кнопка", "second_button": "Друга кнопка", "third_button": "Третя кнопка", "fourth_button": "Четверта кнопка", - "fifth_button": "П'ята кнопка", - "sixth_button": "Шоста кнопка", + "subtype_button_down": "{subtype} кнопка вниз", + "subtype_button_up": "{subtype} кнопка вгору", "subtype_double_clicked": "\"{subtype}\" двічі клацнув", - "subtype_continuously_pressed": "\"{subtype}\" безперервно натиснуто", - "trigger_type_button_long_release": "{subtype} відпущена після довгого натискання", - "subtype_quadruple_clicked": "\"{subtype}\" натиснута чотири рази", - "subtype_quintuple_clicked": "\"{subtype}\" натиснута п'ять разів", - "subtype_pressed": "\"{subtype}\" натиснута", - "subtype_released": "\"{subtype}\" відпущена", - "subtype_triple_clicked": "\"{subtype}\" натиснута три рази", - "decrease_entity_name_brightness": "{entity_name}: зменшити яскравість", - "increase_entity_name_brightness": "{entity_name}: збільшити яскравість", - "flash_entity_name": "{entity_name}: включити мигання", - "action_type_select_first": "Змініть {entity_name} на перший варіант", - "action_type_select_last": "Змініть {entity_name} на останній варіант", - "action_type_select_next": "Змінити {entity_name} на наступний варіант", - "change_entity_name_option": "Змінити параметр {entity_name}", - "action_type_select_previous": "Змінити {entity_name} на попередній параметр", - "current_entity_name_selected_option": "Поточний вибраний параметр {entity_name}", - "entity_name_option_changed": "{entity_name} опцію змінено", - "entity_name_update_availability_changed": "Доступність оновлення {entity_name} змінено", - "entity_name_became_up_to_date": "{entity_name} став актуальним", - "trigger_type_turned_on": "{entity_name} доступне оновлення", - "subtype_button_down": "{subtype} кнопка вниз", - "subtype_button_up": "{subtype} кнопка вгору", "subtype_double_push": "{subtype} подвійне натискання", "subtype_long_clicked": "{subtype} довго натиснуто", "subtype_long_push": "{subtype} довге натискання", @@ -2333,8 +2353,10 @@ "subtype_single_clicked": "{subtype} одинарний клік", "trigger_type_single_long": "{subtype} одинарний клік, потім довгий клік", "subtype_single_push": "{subtype} одне натискання", + "subtype_triple_clicked": "\"{subtype}\" натиснута три рази", "subtype_triple_push": "{subtype} потрійне натискання", "set_value_for_entity_name": "Установити значення для {entity_name}", + "value": "Value", "close_entity_name": "{entity_name}: закрити", "close_entity_name_tilt": "{entity_name}: закрити ламелі", "open_entity_name": "{entity_name}: відкрити", @@ -2352,43 +2374,6 @@ "entity_name_opened": "{entity_name} opened", "entity_name_position_changes": "{entity_name} змінює положення", "entity_name_tilt_position_changes": "{entity_name} змінює нахил ламелей", - "send_a_notification": "Send a notification", - "arm_entity_name_away": "Увімкнути режим охорони \"Не вдома\" на панелі {entity_name}", - "arm_entity_name_home": "Увімкнути режим охорони \"Вдома\" на панелі {entity_name}", - "arm_entity_name_night": "Увімкнути режим охорони \"Ніч\" на панелі {entity_name}", - "arm_entity_name_vacation": "Увімкнути режим охорони \"Відпустка\" на панелі {entity_name}", - "disarm_entity_name": "Відключити охорону на панелі {entity_name}", - "trigger_entity_name": "{entity_name} спрацьовує", - "entity_name_armed_away": "Увімкнений режим охорони \"Не вдома\" на панелі {entity_name}", - "entity_name_armed_home": "Увімкнений режим охорони \"Вдома\" на панелі {entity_name}", - "entity_name_armed_night": "Увімкнений режим охорони \"Ніч\" на панелі {entity_name}", - "entity_name_armed_vacation": "Увімкнено режим охорони \"Відпустка\" на панелі {entity_name}", - "entity_name_disarmed": "Вимкнена охорона на панелі {entity_name}", - "condition_type_is_pm": "{entity_name} має поточне значення", - "current_entity_name_current": "{entity_name} має поточне значення сили струму", - "current_entity_name_energy": "{entity_name} має поточне значення потужності", - "current_entity_name_ph_level": "Current {entity_name} pH level", - "current_entity_name_power_factor": "{entity_name} має поточне значення коефіцієнта потужності", - "current_entity_name_voltage": "{entity_name} має поточне значення напруги", - "condition_type_is_volume_flow_rate": "Current {entity_name} volume flow rate", - "trigger_type_aqi": "{entity_name} змінює значення", - "entity_name_battery_level_changes": "{entity_name} змінює значення рівня заряду батареї", - "trigger_type_carbon_dioxide": "{entity_name} змінює концентрацію вуглекислого газу", - "trigger_type_carbon_monoxide": "{entity_name} змінює концентрацію чадного газу", - "entity_name_current_changes": "{entity_name} змінює значення сили струму", - "entity_name_energy_changes": "{entity_name} змінює значення потужності", - "entity_name_gas_changes": "{entity_name} змінює значення вмісту газу", - "entity_name_humidity_changes": "{entity_name} змінює значення вологості", - "entity_name_illuminance_changes": "{entity_name} змінює значення освітленості", - "entity_name_ph_level_changes": "{entity_name} pH level changes", - "entity_name_power_factor_changes": "{entity_name} змінює коефіцієнт потужності", - "entity_name_pressure_changes": "{entity_name} змінює значення тиску", - "entity_name_signal_strength_changes": "{entity_name} змінює значення рівня сигналу", - "entity_name_temperature_changes": "{entity_name} змінює значення температури", - "entity_name_voltage_changes": "{entity_name} змінює значення напруги", - "trigger_type_volume_flow_rate": "{entity_name} volume flow rate changes", - "press_entity_name_button": "Натиснути кнопку {entity_name}", - "entity_name_has_been_pressed": "{entity_name} було натиснуто", "entity_name_battery_is_low": "{entity_name} низький рівень акумулятора", "entity_name_charging": "{entity_name} заряджається", "condition_type_is_co": "{entity_name} виявляє чадний газ", @@ -2424,6 +2409,8 @@ "condition_type_is_not_tampered": "{entity_name} не виявлено втручання", "entity_name_is_safe": "{entity_name} в безпечному стані", "entity_name_is_present": "{entity_name} виявляє присутність", + "entity_name_is_off": "{entity_name} вимкнено", + "entity_name_is_on": "{entity_name} увімкнено", "entity_name_is_powered": "{entity_name} виявляє живлення", "entity_name_is_detecting_problem": "{entity_name} виявляє проблему", "entity_name_is_running": "{entity_name} запущено", @@ -2451,6 +2438,7 @@ "entity_name_stopped_detecting_problem": "{entity_name} припиняє виявляти проблему", "entity_name_stopped_detecting_smoke": "{entity_name} припиняє виявляти дим", "entity_name_stopped_detecting_sound": "{entity_name} припиняє виявляти звук", + "entity_name_became_up_to_date": "{entity_name} став актуальним", "entity_name_stopped_detecting_vibration": "{entity_name} припиняє виявляти вібрацію", "entity_name_battery_normal": "{entity_name} реєструє нормальний заряд", "entity_name_became_not_cold": "{entity_name} припиняє охолоджуватися", @@ -2471,6 +2459,88 @@ "entity_name_started_detecting_tampering": "{entity_name} почав виявляти втручання", "entity_name_became_unsafe": "{entity_name} не реєструє безпеку", "trigger_type_update": "{entity_name} отримав оновлення", + "entity_name_is_buffering": "{entity_name} буферизується", + "entity_name_is_idle": "{entity_name} в режимі очікування", + "entity_name_is_paused": "{entity_name} призупинено", + "entity_name_is_playing": "{entity_name} відтворює медіа", + "entity_name_starts_buffering": "{entity_name} починає буферизацію", + "trigger_type_changed_states": "{entity_name} увімкнено або вимкнено", + "entity_name_becomes_idle": "{entity_name} переходить в режим очікування", + "entity_name_starts_playing": "{entity_name} починає грати", + "toggle_entity_name": "Переключити {entity_name}", + "turn_off_entity_name": "Вимкнути {entity_name}", + "turn_on_entity_name": "Увімкнути {entity_name}", + "arm_entity_name_away": "Увімкнути режим охорони \"Не вдома\" на панелі {entity_name}", + "arm_entity_name_home": "Увімкнути режим охорони \"Вдома\" на панелі {entity_name}", + "arm_entity_name_night": "Увімкнути режим охорони \"Ніч\" на панелі {entity_name}", + "arm_entity_name_vacation": "Увімкнути режим охорони \"Відпустка\" на панелі {entity_name}", + "disarm_entity_name": "Відключити охорону на панелі {entity_name}", + "trigger_entity_name": "{entity_name} спрацьовує", + "entity_name_armed_away": "Увімкнений режим охорони \"Не вдома\" на панелі {entity_name}", + "entity_name_armed_home": "Увімкнений режим охорони \"Вдома\" на панелі {entity_name}", + "entity_name_armed_night": "Увімкнений режим охорони \"Ніч\" на панелі {entity_name}", + "entity_name_armed_vacation": "Увімкнено режим охорони \"Відпустка\" на панелі {entity_name}", + "entity_name_disarmed": "Вимкнена охорона на панелі {entity_name}", + "entity_name_is_home": "{entity_name} вдома", + "entity_name_is_not_home": "{entity_name} не вдома", + "entity_name_enters_a_zone": "{entity_name} входить в зону", + "entity_name_leaves_a_zone": "{entity_name} покидає зону", + "lock_entity_name": "{entity_name}: заблокувати", + "unlock_entity_name": "{entity_name}: розблокувати", + "action_type_set_hvac_mode": "{entity_name}: змінити режим роботи", + "change_preset_on_entity_name": "{entity_name}: змінити пресет", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} змінює значення виміряної вологості", + "entity_name_measured_temperature_changed": "{entity_name} змінює значення виміряної температури", + "entity_name_hvac_mode_changed": "{entity_name} змінює режим роботи", + "condition_type_is_pm": "{entity_name} має поточне значення", + "current_entity_name_conductivity": "Current {entity_name} conductivity", + "current_entity_name_current": "{entity_name} має поточне значення сили струму", + "current_entity_name_energy": "{entity_name} має поточне значення потужності", + "current_entity_name_ph_level": "Current {entity_name} pH level", + "current_entity_name_power_factor": "{entity_name} має поточне значення коефіцієнта потужності", + "current_entity_name_voltage": "{entity_name} має поточне значення напруги", + "condition_type_is_volume_flow_rate": "Current {entity_name} volume flow rate", + "trigger_type_aqi": "{entity_name} змінює значення", + "entity_name_battery_level_changes": "{entity_name} змінює значення рівня заряду батареї", + "trigger_type_carbon_dioxide": "{entity_name} змінює концентрацію вуглекислого газу", + "trigger_type_carbon_monoxide": "{entity_name} змінює концентрацію чадного газу", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", + "entity_name_current_changes": "{entity_name} змінює значення сили струму", + "entity_name_energy_changes": "{entity_name} змінює значення потужності", + "entity_name_gas_changes": "{entity_name} змінює значення вмісту газу", + "entity_name_humidity_changes": "{entity_name} змінює значення вологості", + "entity_name_illuminance_changes": "{entity_name} змінює значення освітленості", + "entity_name_ph_level_changes": "{entity_name} pH level changes", + "entity_name_power_factor_changes": "{entity_name} змінює коефіцієнт потужності", + "entity_name_pressure_changes": "{entity_name} змінює значення тиску", + "entity_name_signal_strength_changes": "{entity_name} змінює значення рівня сигналу", + "entity_name_temperature_changes": "{entity_name} змінює значення температури", + "entity_name_voltage_changes": "{entity_name} змінює значення напруги", + "trigger_type_volume_flow_rate": "{entity_name} volume flow rate changes", + "decrease_entity_name_brightness": "{entity_name}: зменшити яскравість", + "increase_entity_name_brightness": "{entity_name}: збільшити яскравість", + "flash_entity_name": "{entity_name}: включити мигання", + "flash": "Flash", + "fifth_button": "П'ята кнопка", + "sixth_button": "Шоста кнопка", + "subtype_continuously_pressed": "\"{subtype}\" безперервно натиснуто", + "trigger_type_button_long_release": "{subtype} відпущена після довгого натискання", + "subtype_quadruple_clicked": "\"{subtype}\" натиснута чотири рази", + "subtype_quintuple_clicked": "\"{subtype}\" натиснута п'ять разів", + "subtype_pressed": "\"{subtype}\" натиснута", + "subtype_released": "\"{subtype}\" відпущена", + "action_type_select_first": "Змініть {entity_name} на перший варіант", + "action_type_select_last": "Змініть {entity_name} на останній варіант", + "action_type_select_next": "Змінити {entity_name} на наступний варіант", + "change_entity_name_option": "Змінити параметр {entity_name}", + "action_type_select_previous": "Змінити {entity_name} на попередній параметр", + "current_entity_name_selected_option": "Поточний вибраний параметр {entity_name}", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} опцію змінено", + "send_a_notification": "Send a notification", "both_buttons": "Обидві кнопки", "bottom_buttons": "Нижні кнопки", "seventh_button": "Сьома кнопка", @@ -2496,17 +2566,24 @@ "trigger_type_remote_rotate_from_side": "Пристрій перевернули з Грані 6 на {subtype}", "device_turned_clockwise": "Пристрій повернули за годинниковою стрілкою", "device_turned_counter_clockwise": "Пристрій повернули проти годинникової стрілки", - "lock_entity_name": "{entity_name}: заблокувати", - "unlock_entity_name": "{entity_name}: розблокувати", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "press_entity_name_button": "Натиснути кнопку {entity_name}", + "entity_name_has_been_pressed": "{entity_name} було натиснуто", + "entity_name_update_availability_changed": "Доступність оновлення {entity_name} змінено", + "trigger_type_turned_on": "{entity_name} доступне оновлення", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "arithmetic_mean": "Середнє арифметичне", + "median": "Медіана", + "product": "Продукт", + "statistical_range": "Статистичний діапазон", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2637,97 +2714,76 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "Немає класу пристрою", "no_state_class": "Немає класу", "no_unit_of_measurement": "Немає одиниці виміру", - "fatal": "Fatal", - "arithmetic_mean": "Середнє арифметичне", - "median": "Медіана", - "product": "Продукт", - "statistical_range": "Статистичний діапазон", - "standard_deviation": "Standard deviation", - "restarts_an_add_on": "Restarts an add-on.", - "the_add_on_slug": "The add-on slug.", - "restart_add_on": "Restart add-on.", - "starts_an_add_on": "Starts an add-on.", - "start_add_on": "Start add-on", - "addon_stdin_description": "Writes data to add-on stdin.", - "addon_stdin_name": "Write data to add-on stdin.", - "stops_an_add_on": "Stops an add-on.", - "stop_add_on": "Stop add-on.", - "update_add_on": "Update add-on.", - "creates_a_full_backup": "Creates a full backup.", - "compresses_the_backup_files": "Compresses the backup files.", - "compressed": "Compressed", - "home_assistant_exclude_database": "Home Assistant exclude database", - "name_description": "Optional (default = current date and time).", - "create_a_full_backup": "Create a full backup.", - "creates_a_partial_backup": "Creates a partial backup.", - "add_ons": "Add-ons", - "folders": "Folders", - "homeassistant_description": "Includes Home Assistant settings in the backup.", - "home_assistant_settings": "Home Assistant settings", - "create_a_partial_backup": "Create a partial backup.", - "reboots_the_host_system": "Reboots the host system.", - "reboot_the_host_system": "Reboot the host system.", - "host_shutdown_description": "Powers off the host system.", - "host_shutdown_name": "Power off the host system.", - "restores_from_full_backup": "Restores from full backup.", - "optional_password": "Optional password.", - "slug_description": "Slug of backup to restore from.", - "slug": "Slug", - "restore_from_full_backup": "Restore from full backup.", - "restore_partial_description": "Restores from a partial backup.", - "restores_home_assistant": "Restores Home Assistant.", - "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", "request_sync_description": "Sends a request_sync command to Google.", "agent_user_id": "Agent user ID", "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", "check_configuration": "Check configuration", "reload_all": "Перезавантажити все", "reload_config_entry_description": "Reloads the specified config entry.", @@ -2749,107 +2805,54 @@ "generic_turn_off": "Generic turn off", "generic_turn_on": "Generic turn on", "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", - "apply_description": "Activates a scene with configuration.", - "entities_description": "List of entities and their target state.", - "entities_state": "Entities state", - "apply": "Apply", - "creates_a_new_scene": "Creates a new scene.", - "scene_id_description": "The entity ID of the new scene.", - "scene_entity_id": "Scene entity ID", - "snapshot_entities": "Snapshot entities", - "delete_description": "Deletes a dynamically created scene.", - "activates_a_scene": "Activates a scene.", - "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", - "aux_heat_description": "New value of auxiliary heater.", - "auxiliary_heating": "Auxiliary heating", - "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater", - "sets_fan_operation_mode": "Sets fan operation mode.", - "fan_operation_mode": "Fan operation mode.", - "set_fan_mode": "Set fan mode", - "sets_target_humidity": "Sets target humidity.", - "set_target_humidity": "Set target humidity", - "sets_hvac_operation_mode": "Sets HVAC operation mode.", - "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", - "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", - "sets_swing_operation_mode": "Sets swing operation mode.", - "swing_operation_mode": "Swing operation mode.", - "set_swing_mode": "Set swing mode", - "sets_target_temperature": "Sets target temperature.", - "high_target_temperature": "High target temperature.", - "target_temperature_high": "Target temperature high", - "low_target_temperature": "Low target temperature.", - "target_temperature_low": "Target temperature low", - "set_target_temperature": "Set target temperature", - "turns_climate_device_off": "Turns climate device off.", - "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", + "restarts_an_add_on": "Restarts an add-on.", + "the_add_on_slug": "The add-on slug.", + "restart_add_on": "Restart add-on.", + "starts_an_add_on": "Starts an add-on.", + "start_add_on": "Start add-on", + "addon_stdin_description": "Writes data to add-on stdin.", + "addon_stdin_name": "Write data to add-on stdin.", + "stops_an_add_on": "Stops an add-on.", + "stop_add_on": "Stop add-on.", + "update_add_on": "Update add-on.", + "creates_a_full_backup": "Creates a full backup.", + "compresses_the_backup_files": "Compresses the backup files.", + "compressed": "Compressed", + "home_assistant_exclude_database": "Home Assistant exclude database", + "name_description": "Optional (default = current date and time).", + "create_a_full_backup": "Create a full backup.", + "creates_a_partial_backup": "Creates a partial backup.", + "add_ons": "Add-ons", + "folders": "Folders", + "homeassistant_description": "Includes Home Assistant settings in the backup.", + "home_assistant_settings": "Home Assistant settings", + "create_a_partial_backup": "Create a partial backup.", + "reboots_the_host_system": "Reboots the host system.", + "reboot_the_host_system": "Reboot the host system.", + "host_shutdown_description": "Powers off the host system.", + "host_shutdown_name": "Power off the host system.", + "restores_from_full_backup": "Restores from full backup.", + "optional_password": "Optional password.", + "slug_description": "Slug of backup to restore from.", + "slug": "Slug", + "restore_from_full_backup": "Restore from full backup.", + "restore_partial_description": "Restores from a partial backup.", + "restores_home_assistant": "Restores Home Assistant.", + "restore_from_partial_backup": "Restore from partial backup.", "clears_the_playlist": "Clears the playlist.", "clear_playlist": "Clear playlist", "selects_the_next_track": "Selects the next track.", @@ -2867,7 +2870,6 @@ "select_sound_mode": "Select sound mode", "select_source": "Select source", "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", "unjoin": "Unjoin", "turns_down_the_volume": "Turns down the volume.", "turn_down_volume": "Turn down volume", @@ -2878,156 +2880,6 @@ "set_volume": "Set volume", "turns_up_the_volume": "Turns up the volume.", "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", - "brightness_value": "Brightness value", - "a_human_readable_color_name": "A human-readable color name.", - "color_name": "Color name", - "color_temperature_in_mireds": "Color temperature in mireds.", - "light_effect": "Light effect.", - "flash": "Flash", - "hue_sat_color": "Hue/Sat color", - "color_temperature_in_kelvin": "Color temperature in Kelvin.", - "profile_description": "Name of a light profile to use.", - "white_description": "Set the light to white mode.", - "xy_color": "XY-color", - "turn_off_description": "Turn off one or more lights.", - "brightness_step_description": "Change brightness by an amount.", - "brightness_step_value": "Brightness step value", - "brightness_step_pct_description": "Change brightness by a percentage.", - "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", - "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", "apply_filter": "Apply filter", "days_to_keep": "Days to keep", "repack": "Repack", @@ -3036,35 +2888,6 @@ "entity_globs_to_remove": "Entity globs to remove", "entities_to_remove": "Entities to remove", "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", - "reload_themes_description": "Перезавантажити теми із конфігурації YAML", - "reload_themes": "Перезавантажити теми", - "name_of_a_theme": "Назва теми", - "set_the_default_theme": "Встановити тему за замовчуванням", - "decrements_a_counter": "Decrements a counter.", - "increments_a_counter": "Increments a counter.", - "resets_a_counter": "Resets a counter.", - "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", - "get_weather_forecast": "Get weather forecast.", - "type_description": "Forecast type: daily, hourly or twice daily.", - "forecast_type": "Forecast type", - "get_forecast": "Get forecast", - "get_weather_forecasts": "Get weather forecasts.", - "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", "decrease_speed_description": "Decreases the speed of the fan.", "percentage_step_description": "Increases the speed by a percentage step.", "decrease_speed": "Decrease speed", @@ -3079,38 +2902,282 @@ "speed_of_the_fan": "Speed of the fan.", "percentage": "Percentage", "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", "toggles_the_fan_on_off": "Toggles the fan on/off.", "turns_fan_off": "Turns fan off.", "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", - "bridge_identifier": "Bridge identifier", - "configuration_payload": "Configuration payload", - "entity_description": "Represents a specific device endpoint in deCONZ.", - "path": "Path", - "configure": "Configure", - "device_refresh_description": "Refreshes available devices from deCONZ.", - "device_refresh": "Device refresh", - "remove_orphaned_entries": "Remove orphaned entries", + "apply_description": "Activates a scene with configuration.", + "entities_description": "List of entities and their target state.", + "entities_state": "Entities state", + "transition": "Transition", + "apply": "Apply", + "creates_a_new_scene": "Creates a new scene.", + "scene_id_description": "The entity ID of the new scene.", + "scene_entity_id": "Scene entity ID", + "snapshot_entities": "Snapshot entities", + "delete_description": "Deletes a dynamically created scene.", + "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", "closes_a_valve": "Closes a valve.", "opens_a_valve": "Opens a valve.", "set_valve_position_description": "Moves a valve to a specific position.", "stops_the_valve_movement": "Stops the valve movement.", "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", + "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", + "aux_heat_description": "New value of auxiliary heater.", + "auxiliary_heating": "Auxiliary heating", + "turn_on_off_auxiliary_heater": "Turn on/off auxiliary heater", + "sets_fan_operation_mode": "Sets fan operation mode.", + "fan_operation_mode": "Fan operation mode.", + "set_fan_mode": "Set fan mode", + "sets_target_humidity": "Sets target humidity.", + "set_target_humidity": "Set target humidity", + "sets_hvac_operation_mode": "Sets HVAC operation mode.", + "hvac_operation_mode": "HVAC operation mode.", + "set_hvac_mode": "Set HVAC mode", + "sets_swing_operation_mode": "Sets swing operation mode.", + "swing_operation_mode": "Swing operation mode.", + "set_swing_mode": "Set swing mode", + "sets_target_temperature": "Sets target temperature.", + "high_target_temperature": "High target temperature.", + "target_temperature_high": "Target temperature high", + "low_target_temperature": "Low target temperature.", + "target_temperature_low": "Target temperature low", + "set_target_temperature": "Set target temperature", + "turns_climate_device_off": "Turns climate device off.", + "turns_climate_device_on": "Turns climate device on.", "add_event_description": "Adds a new calendar event.", "calendar_id_description": "The id of the calendar you want.", "calendar_id": "Calendar ID", "description_description": "The description of the event. Optional.", "summary_description": "Acts as the title of the event.", "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", + "brightness_value": "Brightness value", + "a_human_readable_color_name": "A human-readable color name.", + "color_name": "Color name", + "color_temperature_in_mireds": "Color temperature in mireds.", + "light_effect": "Light effect.", + "hue_sat_color": "Hue/Sat color", + "color_temperature_in_kelvin": "Color temperature in Kelvin.", + "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", + "white_description": "Set the light to white mode.", + "xy_color": "XY-color", + "turn_off_description": "Turn off one or more lights.", + "brightness_step_description": "Change brightness by an amount.", + "brightness_step_value": "Brightness step value", + "brightness_step_pct_description": "Change brightness by a percentage.", + "brightness_step": "Brightness step", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", + "selects_the_next_option": "Selects the next option.", "ptz_move_description": "Move the camera with a specific speed.", "ptz_move_speed": "PTZ move speed.", "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", + "reload_themes_description": "Перезавантажити теми із конфігурації YAML", + "reload_themes": "Перезавантажити теми", + "name_of_a_theme": "Назва теми", + "set_the_default_theme": "Встановити тему за замовчуванням", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", + "decrements_a_counter": "Decrements a counter.", + "increments_a_counter": "Increments a counter.", + "resets_a_counter": "Resets a counter.", + "sets_the_counter_value": "Sets the counter value.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", + "get_weather_forecast": "Get weather forecast.", + "type_description": "Forecast type: daily, hourly or twice daily.", + "forecast_type": "Forecast type", + "get_forecast": "Get forecast", + "get_weather_forecasts": "Get weather forecasts.", + "get_forecasts": "Get forecasts", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", "set_datetime_description": "Sets the date and/or time.", "the_target_date": "The target date.", "datetime_description": "The target date & time.", "date_time": "Date & time", - "the_target_time": "The target time." + "the_target_time": "The target time.", + "bridge_identifier": "Bridge identifier", + "configuration_payload": "Configuration payload", + "entity_description": "Represents a specific device endpoint in deCONZ.", + "path": "Path", + "configure": "Configure", + "device_refresh_description": "Refreshes available devices from deCONZ.", + "device_refresh": "Device refresh", + "remove_orphaned_entries": "Remove orphaned entries", + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/ur/ur.json b/packages/core/src/hooks/useLocale/locales/ur/ur.json index 1f4c30c..1514d24 100644 --- a/packages/core/src/hooks/useLocale/locales/ur/ur.json +++ b/packages/core/src/hooks/useLocale/locales/ur/ur.json @@ -107,7 +107,7 @@ "open": "Open", "open_door": "Open door", "really_open": "Really open?", - "door_open": "Door open", + "done": "Done", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Browse media", @@ -186,6 +186,7 @@ "loading": "Loading…", "refresh": "Refresh", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Duplicate", "remove": "Remove", @@ -228,6 +229,9 @@ "media_content_type": "Media content type", "upload_failed": "Upload failed", "unknown_file": "Unknown file", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Radius", @@ -241,6 +245,7 @@ "date_and_time": "Date and time", "duration": "Duration", "entity": "Entity", + "floor": "Floor", "icon": "Icon", "location": "Location", "number": "Number", @@ -279,6 +284,7 @@ "was_opened": "was opened", "was_closed": "was closed", "is_opening": "is opening", + "is_opened": "is opened", "is_closing": "is closing", "was_unlocked": "was unlocked", "was_locked": "was locked", @@ -328,10 +334,13 @@ "sort_by_sortcolumn": "Sort by {sortColumn}", "group_by_groupcolumn": "Group by {groupColumn}", "don_t_group": "Don't group", + "collapse_all": "Collapse all", + "expand_all": "Expand all", "selected_selected": "Selected {selected}", "close_selection_mode": "Close selection mode", "select_all": "Select all", "select_none": "Select none", + "customize_table": "Customize table", "conversation_agent": "Conversation agent", "none": "None", "country": "Country", @@ -341,7 +350,7 @@ "no_theme": "No theme", "language": "Language", "no_languages_available": "No languages available", - "text_to_speech": "Text-to-speech", + "text_to_speech": "Text to speech", "voice": "Voice", "no_user": "No user", "add_user": "Add user", @@ -377,7 +386,6 @@ "unassigned_areas": "Unassigned areas", "failed_to_create_area": "Failed to create area.", "show_floors": "Show floors", - "floor": "Floor", "add_new_floor_name": "Add new floor ''{name}''", "add_new_floor": "Add new floor…", "floor_picker_no_floors": "You don't have any floors", @@ -446,7 +454,7 @@ "start_date": "Start date", "end_date": "End date", "select_time_period": "Select time period", - "today": "Today", + "today": "آج", "yesterday": "کل", "this_week": "اس ہفتے", "last_week": "پچھلے ہفتے", @@ -455,6 +463,9 @@ "last_month": "گزشتہ ماہ", "this_year": "اس سال", "last_year": "گزشتہ سال", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Never", "history_integration_disabled": "History integration disabled", "loading_state_history": "Loading state history…", @@ -486,6 +497,10 @@ "filtering_by": "Filtering by", "number_hidden": "{number} hidden", "ungrouped": "Ungrouped", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Gender", "male": "Male", @@ -737,7 +752,7 @@ "default_code": "Default code", "editor_default_code_error": "Code does not match code format", "entity_id": "Entity ID", - "unit_of_measurement": "Unit of measurement", + "unit_of_measurement": "Unit of Measurement", "precipitation_unit": "Precipitation unit", "display_precision": "Display precision", "default_value": "Default ({value})", @@ -820,7 +835,7 @@ "restart_home_assistant": "Restart Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Quick reload", - "reload_description": "Reloads helpers from the YAML-configuration.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Reloading configuration", "failed_to_reload_configuration": "Failed to reload configuration", "restart_description": "Interrupts all running automations and scripts.", @@ -993,7 +1008,6 @@ "notification_toast_no_matching_link_found": "No matching My link found for {path}", "app_configuration": "App configuration", "sidebar_toggle": "Sidebar toggle", - "done": "Done", "hide_panel": "Hide panel", "show_panel": "Show panel", "show_more_information": "Show more information", @@ -1087,9 +1101,11 @@ "view_configuration": "View configuration", "name_view_configuration": "{name} View Configuration", "add_view": "Add view", + "background_title": "Add a background to the view", "edit_view": "Edit view", "move_view_left": "Move view left", "move_view_right": "Move view right", + "background": "Background", "badges": "Badges", "view_type": "View type", "masonry_default": "Masonry (default)", @@ -1120,6 +1136,8 @@ "increase_card_position": "Increase card position", "more_options": "More options", "search_cards": "Search cards", + "config": "Config", + "layout": "Layout", "move_card_error_title": "Impossible to move the card", "choose_a_view": "Choose a view", "dashboard": "Dashboard", @@ -1132,8 +1150,7 @@ "delete_section": "Delete section", "delete_section_text_named_section_only": "''{name}'' section will be deleted.", "delete_section_text_unnamed_section_only": "This section will be deleted.", - "edit_name": "Edit name", - "add_name": "Add name", + "edit_section": "Edit section", "suggest_card_header": "We created a suggestion for you", "pick_different_card": "Pick different card", "add_to_dashboard": "Add to dashboard", @@ -1365,177 +1382,121 @@ "warning_entity_unavailable": "Entity is currently unavailable: {entity}", "invalid_timestamp": "Invalid timestamp", "invalid_display_format": "Invalid display format", + "now": "Now", "compare_data": "Compare data", "reload_ui": "Reload UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Switch", - "camera": "Camera", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Group", - "timer": "Timer", - "zone": "Zone", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Cover", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Input boolean", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Cover", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Alarm control panel", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Fan", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Device tracker", + "trace": "Trace", + "stream": "Stream", + "person": "Person", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Input boolean", + "camera": "Camera", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Input datetime", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Siren", + "fitbit": "Fitbit", + "automation": "Automation", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "script": "Script", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Climate", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "input_number": "Input number", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Input text", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Weather", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Group", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Remote", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", + "script": "Script", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Switch", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Device tracker", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Weather", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Remote", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "Input number", + "binary_sensor": "Binary sensor", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Fan", + "scene": "Scene", + "input_select": "Input select", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Climate", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Mobile App", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "Person", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "Input select", + "deconz": "deCONZ", + "timer": "Timer", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "automation": "Automation", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Binary sensor", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Air quality index", - "illuminance": "Illuminance", - "noise": "Noise", - "overload": "Overload", - "voltage": "Voltage", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "off": "Off", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Volume", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1556,14 +1517,49 @@ "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Plugged in", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", + "next_dawn": "Next dawn", + "next_dusk": "Next dusk", + "next_midnight": "Next midnight", + "next_noon": "Next noon", + "next_rising": "Next rising", + "next_setting": "Next setting", + "solar_azimuth": "Solar azimuth", + "solar_elevation": "Solar elevation", + "solar_rising": "Solar rising", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Plugged in", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", "screen_brightness": "Screen brightness", "screen_off_timer": "Screen off timer", "screensaver_brightness": "Screensaver brightness", @@ -1579,34 +1575,86 @@ "maintenance_mode": "Maintenance mode", "motion_detection": "Motion detection", "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", - "next_dawn": "Next dawn", - "next_dusk": "Next dusk", - "next_midnight": "Next midnight", - "next_noon": "Next noon", - "next_rising": "Next rising", - "next_setting": "Next setting", - "solar_azimuth": "Solar azimuth", - "solar_elevation": "Solar elevation", - "solar_rising": "Solar rising", - "calibration": "Calibration", - "auto_lock_paused": "Auto-lock paused", - "timeout": "Timeout", - "unclosed_alarm": "Unclosed alarm", - "unlocked_alarm": "Unlocked alarm", - "bluetooth_signal": "Bluetooth signal", - "light_level": "Light level", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Momentary", - "pull_retract": "Pull/Retract", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Dry", + "wet": "Wet", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Signal strength", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Voltage", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Air quality index", + "illuminance": "Illuminance", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Detected", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1616,6 +1664,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1673,23 +1724,26 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Volume", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", + "off": "Off", "auto_track_method": "Auto track method", "digital": "Digital", "digital_first": "Digital first", "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Stay off", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "PTZ preset", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Stay off", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1703,6 +1757,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Wi-Fi signal", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1711,6 +1766,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1718,79 +1774,87 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Siren on event", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Device trackers", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Calibration", + "auto_lock_paused": "Auto-lock paused", + "timeout": "Timeout", + "unclosed_alarm": "Unclosed alarm", + "unlocked_alarm": "Unlocked alarm", + "bluetooth_signal": "Bluetooth signal", + "light_level": "Light level", + "momentary": "Momentary", + "pull_retract": "Pull/Retract", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Automatic", + "box": "Box", + "step": "Step", + "apparent_power": "Apparent power", + "atmospheric_pressure": "Atmospheric pressure", + "carbon_dioxide": "Carbon dioxide", + "data_rate": "Data rate", + "distance": "Distance", + "stored_energy": "Stored energy", + "frequency": "Frequency", + "irradiance": "Irradiance", + "nitrogen_dioxide": "Nitrogen dioxide", + "nitrogen_monoxide": "Nitrogen monoxide", + "nitrous_oxide": "Nitrous oxide", + "ozone": "Ozone", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Power factor", + "precipitation_intensity": "Precipitation intensity", + "pressure": "Pressure", + "reactive_power": "Reactive power", + "sound_pressure": "Sound pressure", + "speed": "Speed", + "sulphur_dioxide": "Sulphur dioxide", + "vocs": "VOCs", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Stored volume", + "weight": "Weight", + "available_tones": "Available tones", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Next event", + "stopped": "Stopped", + "garage": "Garage", "running_automations": "Running automations", - "max_running_scripts": "Max running scripts", + "id": "ID", + "max_running_automations": "Max running automations", "run_mode": "Run mode", "parallel": "Parallel", "queued": "Queued", "single": "Single", - "end_time": "End time", - "start_time": "Start time", - "recording": "Recording", - "streaming": "Streaming", - "access_token": "Access token", - "brand": "Brand", - "stream_type": "Stream type", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Router", - "cool": "Cool", - "dry": "Dry", - "fan_only": "Fan only", - "heat_cool": "Heat/cool", - "aux_heat": "Aux heat", - "current_humidity": "Current humidity", - "current_temperature": "Current Temperature", - "fan_mode": "Fan mode", - "diffuse": "Diffuse", - "middle": "Middle", - "top": "Top", - "current_action": "Current action", - "cooling": "Cooling", - "drying": "Drying", - "heating": "Heating", - "preheating": "Preheating", - "max_target_humidity": "Max target humidity", - "max_target_temperature": "Max target temperature", - "min_target_humidity": "Min target humidity", - "min_target_temperature": "Min target temperature", - "boost": "Boost", - "comfort": "Comfort", - "eco": "Eco", - "sleep": "Sleep", - "presets": "Presets", - "swing_mode": "Swing mode", - "both": "Both", - "horizontal": "Horizontal", - "upper_target_temperature": "Upper target temperature", - "lower_target_temperature": "Lower target temperature", - "target_temperature_step": "Target temperature step", + "not_charging": "Not charging", + "disconnected": "Disconnected", + "connected": "Connected", + "hot": "Hot", + "no_light": "No light", + "light_detected": "Light detected", + "locked": "Locked", + "unlocked": "Unlocked", + "not_moving": "Not moving", + "unplugged": "Unplugged", + "not_running": "Not running", + "safe": "Safe", + "unsafe": "Unsafe", + "tampering_detected": "Tampering detected", "buffering": "Buffering", "paused": "Paused", "playing": "Playing", @@ -1812,77 +1876,11 @@ "receiver": "Receiver", "speaker": "Speaker", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Brightness only", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Color temperature (mireds)", - "color_temperature_kelvin": "Color temperature (Kelvin)", - "available_effects": "Available effects", - "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", - "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", - "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", - "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", - "available_color_modes": "Available color modes", - "event_type": "Event type", - "event_types": "Event types", - "doorbell": "Doorbell", - "available_tones": "Available tones", - "locked": "Locked", - "unlocked": "Unlocked", - "members": "Members", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Max running automations", - "finishes_at": "Finishes at", - "remaining": "Remaining", - "next_event": "Next event", - "update_available": "Update available", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Installed version", - "latest_version": "Latest version", - "release_summary": "Release summary", - "release_url": "Release URL", - "skipped_version": "Skipped version", - "firmware": "Firmware", - "automatic": "Automatic", - "box": "Box", - "step": "Step", - "apparent_power": "Apparent power", - "atmospheric_pressure": "Atmospheric pressure", - "carbon_dioxide": "Carbon dioxide", - "data_rate": "Data rate", - "distance": "Distance", - "stored_energy": "Stored energy", - "frequency": "Frequency", - "irradiance": "Irradiance", - "nitrogen_dioxide": "Nitrogen dioxide", - "nitrogen_monoxide": "Nitrogen monoxide", - "nitrous_oxide": "Nitrous oxide", - "ozone": "Ozone", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Power factor", - "precipitation_intensity": "Precipitation intensity", - "pressure": "Pressure", - "reactive_power": "Reactive power", - "signal_strength": "Signal strength", - "sound_pressure": "Sound pressure", - "speed": "Speed", - "sulphur_dioxide": "Sulphur dioxide", - "vocs": "VOCs", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Stored volume", - "weight": "Weight", - "stopped": "Stopped", - "garage": "Garage", - "max_length": "Max length", - "min_length": "Min length", - "pattern": "Pattern", + "above_horizon": "Above horizon", + "below_horizon": "Below horizon", + "oscillating": "Oscillating", + "speed_step": "Speed step", + "available_preset_modes": "Available preset modes", "armed_away": "Armed away", "armed_custom_bypass": "Armed custom bypass", "armed_home": "Armed home", @@ -1894,15 +1892,73 @@ "code_for_arming": "Code for arming", "not_required": "Not required", "code_format": "Code format", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Router", + "event_type": "Event type", + "event_types": "Event types", + "doorbell": "Doorbell", + "device_trackers": "Device trackers", + "max_running_scripts": "Max running scripts", + "jammed": "Jammed", + "locking": "Locking", + "unlocking": "Unlocking", + "cool": "Cool", + "fan_only": "Fan only", + "heat_cool": "Heat/cool", + "aux_heat": "Aux heat", + "current_humidity": "Current humidity", + "current_temperature": "Current Temperature", + "fan_mode": "Fan mode", + "diffuse": "Diffuse", + "middle": "Middle", + "top": "Top", + "current_action": "Current action", + "cooling": "Cooling", + "drying": "Drying", + "heating": "Heating", + "preheating": "Preheating", + "max_target_humidity": "Max target humidity", + "max_target_temperature": "Max target temperature", + "min_target_humidity": "Min target humidity", + "min_target_temperature": "Min target temperature", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "sleep": "Sleep", + "presets": "Presets", + "swing_mode": "Swing mode", + "both": "Both", + "horizontal": "Horizontal", + "upper_target_temperature": "Upper target temperature", + "lower_target_temperature": "Lower target temperature", + "target_temperature_step": "Target temperature step", "last_reset": "Last reset", "possible_states": "Possible states", "state_class": "State class", "measurement": "Measurement", "total": "Total", "total_increasing": "Total increasing", + "conductivity": "Conductivity", "data_size": "Data size", "balance": "Balance", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Brightness only", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Color temperature (mireds)", + "color_temperature_kelvin": "Color temperature (Kelvin)", + "available_effects": "Available effects", + "maximum_color_temperature_kelvin": "Maximum color temperature (Kelvin)", + "maximum_color_temperature_mireds": "Maximum color temperature (mireds)", + "minimum_color_temperature_kelvin": "Minimum color temperature (Kelvin)", + "minimum_color_temperature_mireds": "Minimum color temperature (mireds)", + "available_color_modes": "Available color modes", "clear_night": "Clear, night", "cloudy": "Cloudy", "exceptional": "Exceptional", @@ -1925,62 +1981,81 @@ "uv_index": "UV index", "wind_bearing": "Wind bearing", "wind_gust_speed": "Wind gust speed", - "above_horizon": "Above horizon", - "below_horizon": "Below horizon", - "oscillating": "Oscillating", - "speed_step": "Speed step", - "available_preset_modes": "Available preset modes", - "jammed": "Jammed", - "locking": "Locking", - "unlocking": "Unlocking", - "identify": "Identify", - "not_charging": "Not charging", - "detected": "Detected", - "disconnected": "Disconnected", - "connected": "Connected", - "hot": "Hot", - "no_light": "No light", - "light_detected": "Light detected", - "wet": "Wet", - "not_moving": "Not moving", - "unplugged": "Unplugged", - "not_running": "Not running", - "safe": "Safe", - "unsafe": "Unsafe", - "tampering_detected": "Tampering detected", + "recording": "Recording", + "streaming": "Streaming", + "access_token": "Access token", + "brand": "Brand", + "stream_type": "Stream type", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Minute", "second": "Second", - "location_is_already_configured": "Location is already configured", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Invalid API key", - "api_key": "API key", + "max_length": "Max length", + "min_length": "Min length", + "pattern": "Pattern", + "members": "Members", + "finishes_at": "Finishes at", + "remaining": "Remaining", + "identify": "Identify", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Installed version", + "latest_version": "Latest version", + "release_summary": "Release summary", + "release_url": "Release URL", + "skipped_version": "Skipped version", + "firmware": "Firmware", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Do you want to start setup?", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", + "failed_to_connect": "Failed to connect", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Invalid authentication", + "unexpected_error": "Unexpected error", + "username": "Username", + "host": "Host", + "port": "Port", "account_is_already_configured": "Account is already configured", "abort_already_in_progress": "Configuration flow is already in progress", - "failed_to_connect": "Failed to connect", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Unexpected error", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Do you want to set up {name}?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "No devices found on the network", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Username", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Do you want to set up {name}?", + "adapter": "Adapter", + "multiple_adapters_description": "Select a Bluetooth adapter to set up", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API key", + "configure_daikin_ac": "Configure Daikin AC", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1996,39 +2071,40 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Invalid hostname or IP address", - "device_not_supported": "Device not supported", - "name_model_at_host": "{name} ({model} at {host})", - "authenticate_to_the_device": "Authenticate to the device", - "finish_title": "Choose a name for the device", - "unlock_the_device": "Unlock the device", - "yes_do_it": "Yes, do it.", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Unknown. Details: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "No devices found on the network", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Device class", + "state_template": "State template", + "template_binary_sensor": "Template binary sensor", + "template_sensor": "Template sensor", + "template_a_binary_sensor": "Template a binary sensor", + "template_a_sensor": "Template a sensor", + "template_helper": "Template helper", + "location_is_already_configured": "Location is already configured", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Invalid API key", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Invalid hostname or IP address", + "device_not_supported": "Device not supported", + "name_model_at_host": "{name} ({model} at {host})", + "authenticate_to_the_device": "Authenticate to the device", + "finish_title": "Choose a name for the device", + "unlock_the_device": "Unlock the device", + "yes_do_it": "Yes, do it.", "unlock_the_device_optional": "Unlock the device (optional)", "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "No port for endpoint", - "abort_no_services": "No services found at endpoint", - "port": "Port", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Two-factor code", - "two_factor_authentication": "Two-factor authentication", - "sign_in_with_ring_account": "Sign-in with Ring account", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Invalid birth topic", "error_bad_certificate": "The CA certificate is invalid", "invalid_discovery_prefix": "Invalid discovery prefix", @@ -2052,8 +2128,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2061,10 +2138,34 @@ "service_received": "Service received", "discovered_esphome_node": "Discovered ESPHome node", "encryption_key": "Encryption key", + "no_port_for_endpoint": "No port for endpoint", + "abort_no_services": "No services found at endpoint", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Unsupported Switchbot Type.", + "authentication_failed_error_detail": "Authentication failed: {error_detail}", + "error_encryption_key_invalid": "Key ID or Encryption key is invalid", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot account (recommended)", + "menu_options_lock_key": "Enter lock encryption key manually", + "key_id": "Key ID", + "password_description": "Password to protect the backup with.", + "device_address": "Device address", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Two-factor code", + "two_factor_authentication": "Two-factor authentication", + "sign_in_with_ring_account": "Sign-in with Ring account", + "bridge_is_already_configured": "Bridge is already configured", + "no_deconz_bridges_discovered": "No deCONZ bridges discovered", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Updated deCONZ instance with new host address", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Couldn't get an API key", + "link_with_deconz": "Link with deCONZ", + "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", "all_entities": "All entities", "hide_members": "Hide members", "add_group": "Add Group", - "device_class": "Device class", "ignore_non_numeric": "Ignore non-numeric", "data_round_digits": "Round value to number of decimals", "type": "Type", @@ -2077,82 +2178,50 @@ "media_player_group": "Media player group", "sensor_group": "Sensor group", "switch_group": "Switch group", - "name_already_exists": "Name already exists", - "passive": "Passive", - "define_zone_parameters": "Define zone parameters", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Name already exists", + "passive": "Passive", + "define_zone_parameters": "Define zone parameters", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Adapter", - "multiple_adapters_description": "Select a Bluetooth adapter to set up", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Unknown. Details: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Configure Daikin AC", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "State template", - "template_binary_sensor": "Template binary sensor", - "template_sensor": "Template sensor", - "template_a_binary_sensor": "Template a binary sensor", - "template_a_sensor": "Template a sensor", - "template_helper": "Template helper", - "bridge_is_already_configured": "Bridge is already configured", - "no_deconz_bridges_discovered": "No deCONZ bridges discovered", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Updated deCONZ instance with new host address", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Couldn't get an API key", - "link_with_deconz": "Link with deCONZ", - "select_discovered_deconz_gateway": "Select discovered deCONZ gateway", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Unsupported Switchbot Type.", - "authentication_failed_error_detail": "Authentication failed: {error_detail}", - "error_encryption_key_invalid": "Key ID or Encryption key is invalid", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot account (recommended)", - "menu_options_lock_key": "Enter lock encryption key manually", - "key_id": "Key ID", - "password_description": "Password to protect the backup with.", - "device_address": "Device address", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Select test server", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Passive scanning", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2235,6 +2304,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Broker options", "enable_birth_message": "Enable birth message", "birth_message_payload": "Birth message payload", @@ -2248,106 +2334,37 @@ "will_message_retain": "Will message retain", "will_message_topic": "Will message topic", "mqtt_options": "MQTT options", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Select test server", + "retry_count": "Retry count", + "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", + "allow_deconz_light_groups": "Allow deCONZ light groups", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Configure visibility of deCONZ device types", + "deconz_options": "deCONZ options", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Event listener port (random if not set)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Passive scanning", - "allow_deconz_clip_sensors": "Allow deCONZ CLIP sensors", - "allow_deconz_light_groups": "Allow deCONZ light groups", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Configure visibility of deCONZ device types", - "deconz_options": "deCONZ options", - "retry_count": "Retry count", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Toggle {entity_name}", - "turn_off_entity_name": "Turn off {entity_name}", - "turn_on_entity_name": "Turn on {entity_name}", - "entity_name_is_off": "{entity_name} is off", - "entity_name_is_on": "{entity_name} is on", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} turned off", - "entity_name_turned_on": "{entity_name} turned on", - "entity_name_is_home": "{entity_name} is home", - "entity_name_is_not_home": "{entity_name} is not home", - "entity_name_enters_a_zone": "{entity_name} enters a zone", - "entity_name_leaves_a_zone": "{entity_name} leaves a zone", - "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", - "change_preset_on_entity_name": "Change preset on {entity_name}", - "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", - "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", - "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} is idle", - "entity_name_is_paused": "{entity_name} is paused", - "entity_name_is_playing": "{entity_name} is playing", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} becomes idle", - "entity_name_starts_playing": "{entity_name} starts playing", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "First button", "second_button": "Second button", "third_button": "Third button", "fourth_button": "Fourth button", - "fifth_button": "Fifth button", - "sixth_button": "Sixth button", - "subtype_double_clicked": "\"{subtype}\" double clicked", - "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", - "trigger_type_button_long_release": "\"{subtype}\" released after long press", - "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", - "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", - "subtype_pressed": "\"{subtype}\" pressed", - "subtype_released": "\"{subtype}\" released", - "subtype_triple_clicked": "\"{subtype}\" triple clicked", - "decrease_entity_name_brightness": "Decrease {entity_name} brightness", - "increase_entity_name_brightness": "Increase {entity_name} brightness", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Change {entity_name} option", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Current {entity_name} selected option", - "entity_name_option_changed": "{entity_name} option changed", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_became_up_to_date": "{entity_name} became up-to-date", - "trigger_type_update": "{entity_name} got an update available", "subtype_button_down": "{subtype} button down", "subtype_button_up": "{subtype} button up", + "subtype_double_clicked": "\"{subtype}\" double clicked", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} long clicked", "subtype_long_push": "{subtype} long push", @@ -2355,8 +2372,10 @@ "subtype_single_clicked": "{subtype} single clicked", "trigger_type_single_long": "{subtype} single clicked and then long clicked", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" triple clicked", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Set value for {entity_name}", + "value": "Value", "close_entity_name": "Close {entity_name}", "close_entity_name_tilt": "Close {entity_name} tilt", "open_entity_name": "Open {entity_name}", @@ -2376,7 +2395,117 @@ "entity_name_opening": "{entity_name} opening", "entity_name_position_changes": "{entity_name} position changes", "entity_name_tilt_position_changes": "{entity_name} tilt position changes", - "send_a_notification": "Send a notification", + "entity_name_battery_is_low": "{entity_name} battery is low", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} is cold", + "entity_name_is_connected": "{entity_name} is connected", + "entity_name_is_detecting_gas": "{entity_name} is detecting gas", + "entity_name_is_hot": "{entity_name} is hot", + "entity_name_is_detecting_light": "{entity_name} is detecting light", + "entity_name_is_locked": "{entity_name} is locked", + "entity_name_is_moist": "{entity_name} is moist", + "entity_name_is_detecting_motion": "{entity_name} is detecting motion", + "entity_name_is_moving": "{entity_name} is moving", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} is not detecting gas", + "condition_type_is_no_light": "{entity_name} is not detecting light", + "condition_type_is_no_motion": "{entity_name} is not detecting motion", + "condition_type_is_no_problem": "{entity_name} is not detecting problem", + "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", + "condition_type_is_no_sound": "{entity_name} is not detecting sound", + "entity_name_is_up_to_date": "{entity_name} is up-to-date", + "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", + "entity_name_battery_is_normal": "{entity_name} battery is normal", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} is not cold", + "entity_name_is_disconnected": "{entity_name} is disconnected", + "entity_name_is_not_hot": "{entity_name} is not hot", + "entity_name_is_unlocked": "{entity_name} is unlocked", + "entity_name_is_dry": "{entity_name} is dry", + "entity_name_is_not_moving": "{entity_name} is not moving", + "entity_name_is_not_occupied": "{entity_name} is not occupied", + "entity_name_is_unplugged": "{entity_name} is unplugged", + "entity_name_is_not_powered": "{entity_name} is not powered", + "entity_name_is_not_present": "{entity_name} is not present", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} is safe", + "entity_name_is_occupied": "{entity_name} is occupied", + "entity_name_is_off": "{entity_name} is off", + "entity_name_is_on": "{entity_name} is on", + "entity_name_is_plugged_in": "{entity_name} is plugged in", + "entity_name_is_powered": "{entity_name} is powered", + "entity_name_is_present": "{entity_name} is present", + "entity_name_is_detecting_problem": "{entity_name} is detecting problem", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", + "entity_name_is_detecting_sound": "{entity_name} is detecting sound", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} is unsafe", + "condition_type_is_update": "{entity_name} has an update available", + "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", + "entity_name_battery_low": "{entity_name} battery low", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} became cold", + "entity_name_connected": "{entity_name} connected", + "entity_name_started_detecting_gas": "{entity_name} started detecting gas", + "entity_name_became_hot": "{entity_name} became hot", + "entity_name_started_detecting_light": "{entity_name} started detecting light", + "entity_name_locked": "{entity_name} locked", + "entity_name_became_moist": "{entity_name} became moist", + "entity_name_started_detecting_motion": "{entity_name} started detecting motion", + "entity_name_started_moving": "{entity_name} started moving", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", + "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", + "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", + "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", + "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", + "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", + "entity_name_became_up_to_date": "{entity_name} became up-to-date", + "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", + "entity_name_battery_normal": "{entity_name} battery normal", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} became not cold", + "entity_name_disconnected": "{entity_name} disconnected", + "entity_name_became_not_hot": "{entity_name} became not hot", + "entity_name_unlocked": "{entity_name} unlocked", + "entity_name_became_dry": "{entity_name} became dry", + "entity_name_stopped_moving": "{entity_name} stopped moving", + "entity_name_became_not_occupied": "{entity_name} became not occupied", + "entity_name_unplugged": "{entity_name} unplugged", + "entity_name_not_powered": "{entity_name} not powered", + "entity_name_not_present": "{entity_name} not present", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", + "entity_name_became_safe": "{entity_name} became safe", + "entity_name_became_occupied": "{entity_name} became occupied", + "entity_name_plugged_in": "{entity_name} plugged in", + "entity_name_powered": "{entity_name} powered", + "entity_name_present": "{entity_name} present", + "entity_name_started_detecting_problem": "{entity_name} started detecting problem", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", + "entity_name_started_detecting_sound": "{entity_name} started detecting sound", + "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", + "entity_name_turned_off": "{entity_name} turned off", + "entity_name_turned_on": "{entity_name} turned on", + "entity_name_became_unsafe": "{entity_name} became unsafe", + "trigger_type_update": "{entity_name} got an update available", + "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} is idle", + "entity_name_is_paused": "{entity_name} is paused", + "entity_name_is_playing": "{entity_name} is playing", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} turned on or off", + "entity_name_becomes_idle": "{entity_name} becomes idle", + "entity_name_starts_playing": "{entity_name} starts playing", + "toggle_entity_name": "Toggle {entity_name}", + "turn_off_entity_name": "Turn off {entity_name}", + "turn_on_entity_name": "Turn on {entity_name}", "arm_entity_name_away": "Arm {entity_name} away", "arm_entity_name_home": "Arm {entity_name} home", "arm_entity_name_night": "Arm {entity_name} night", @@ -2395,12 +2524,26 @@ "entity_name_armed_vacation": "{entity_name} armed vacation", "entity_name_disarmed": "{entity_name} disarmed", "entity_name_triggered": "{entity_name} triggered", + "entity_name_is_home": "{entity_name} is home", + "entity_name_is_not_home": "{entity_name} is not home", + "entity_name_enters_a_zone": "{entity_name} enters a zone", + "entity_name_leaves_a_zone": "{entity_name} leaves a zone", + "lock_entity_name": "Lock {entity_name}", + "unlock_entity_name": "Unlock {entity_name}", + "action_type_set_hvac_mode": "Change HVAC mode on {entity_name}", + "change_preset_on_entity_name": "Change preset on {entity_name}", + "hvac_mode": "HVAC mode", + "to": "To", + "entity_name_measured_humidity_changed": "{entity_name} measured humidity changed", + "entity_name_measured_temperature_changed": "{entity_name} measured temperature changed", + "entity_name_hvac_mode_changed": "{entity_name} HVAC mode changed", "current_entity_name_apparent_power": "Current {entity_name} apparent power", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Current {entity_name} battery level", "condition_type_is_carbon_dioxide": "Current {entity_name} carbon dioxide concentration level", "condition_type_is_carbon_monoxide": "Current {entity_name} carbon monoxide concentration level", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Current {entity_name} current", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2445,6 +2588,7 @@ "entity_name_battery_level_changes": "{entity_name} battery level changes", "trigger_type_carbon_dioxide": "{entity_name} carbon dioxide concentration changes", "trigger_type_carbon_monoxide": "{entity_name} carbon monoxide concentration changes", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "{entity_name} current changes", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2483,137 +2627,70 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Decrease {entity_name} brightness", + "increase_entity_name_brightness": "Increase {entity_name} brightness", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Fifth button", + "sixth_button": "Sixth button", + "subtype_continuously_pressed": "\"{subtype}\" continuously pressed", + "trigger_type_button_long_release": "\"{subtype}\" released after long press", + "subtype_quadruple_clicked": "\"{subtype}\" quadruple clicked", + "subtype_quintuple_clicked": "\"{subtype}\" quintuple clicked", + "subtype_pressed": "\"{subtype}\" pressed", + "subtype_released": "\"{subtype}\" released", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Change {entity_name} option", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Current {entity_name} selected option", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "{entity_name} option changed", + "send_a_notification": "Send a notification", + "both_buttons": "Both buttons", + "bottom_buttons": "Bottom buttons", + "seventh_button": "Seventh button", + "eighth_button": "Eighth button", + "dim_down": "Dim down", + "dim_up": "Dim up", + "left": "Left", + "right": "Right", + "side": "Side 6", + "top_buttons": "Top buttons", + "device_awakened": "Device awakened", + "button_rotated_subtype": "Button rotated \"{subtype}\"", + "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", + "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", + "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", + "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", + "device_in_free_fall": "Device in free fall", + "device_flipped_degrees": "Device flipped 90 degrees", + "device_shaken": "Device shaken", + "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", + "trigger_type_remote_moved_any_side": "Device moved with any side up", + "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", + "device_turned_clockwise": "Device turned clockwise", + "device_turned_counter_clockwise": "Device turned counter clockwise", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_is_low": "{entity_name} battery is low", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} is cold", - "entity_name_is_connected": "{entity_name} is connected", - "entity_name_is_detecting_gas": "{entity_name} is detecting gas", - "entity_name_is_hot": "{entity_name} is hot", - "entity_name_is_detecting_light": "{entity_name} is detecting light", - "entity_name_is_locked": "{entity_name} is locked", - "entity_name_is_moist": "{entity_name} is moist", - "entity_name_is_detecting_motion": "{entity_name} is detecting motion", - "entity_name_is_moving": "{entity_name} is moving", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} is not detecting gas", - "condition_type_is_no_light": "{entity_name} is not detecting light", - "condition_type_is_no_motion": "{entity_name} is not detecting motion", - "condition_type_is_no_problem": "{entity_name} is not detecting problem", - "condition_type_is_no_smoke": "{entity_name} is not detecting smoke", - "condition_type_is_no_sound": "{entity_name} is not detecting sound", - "entity_name_is_up_to_date": "{entity_name} is up-to-date", - "condition_type_is_no_vibration": "{entity_name} is not detecting vibration", - "entity_name_battery_is_normal": "{entity_name} battery is normal", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} is not cold", - "entity_name_is_disconnected": "{entity_name} is disconnected", - "entity_name_is_not_hot": "{entity_name} is not hot", - "entity_name_is_unlocked": "{entity_name} is unlocked", - "entity_name_is_dry": "{entity_name} is dry", - "entity_name_is_not_moving": "{entity_name} is not moving", - "entity_name_is_not_occupied": "{entity_name} is not occupied", - "entity_name_is_unplugged": "{entity_name} is unplugged", - "entity_name_is_not_powered": "{entity_name} is not powered", - "entity_name_is_not_present": "{entity_name} is not present", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} is safe", - "entity_name_is_occupied": "{entity_name} is occupied", - "entity_name_is_plugged_in": "{entity_name} is plugged in", - "entity_name_is_powered": "{entity_name} is powered", - "entity_name_is_present": "{entity_name} is present", - "entity_name_is_detecting_problem": "{entity_name} is detecting problem", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} is detecting smoke", - "entity_name_is_detecting_sound": "{entity_name} is detecting sound", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} is unsafe", - "condition_type_is_update": "{entity_name} has an update available", - "entity_name_is_detecting_vibration": "{entity_name} is detecting vibration", - "entity_name_battery_low": "{entity_name} battery low", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} became cold", - "entity_name_connected": "{entity_name} connected", - "entity_name_started_detecting_gas": "{entity_name} started detecting gas", - "entity_name_became_hot": "{entity_name} became hot", - "entity_name_started_detecting_light": "{entity_name} started detecting light", - "entity_name_locked": "{entity_name} locked", - "entity_name_became_moist": "{entity_name} became moist", - "entity_name_started_detecting_motion": "{entity_name} started detecting motion", - "entity_name_started_moving": "{entity_name} started moving", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} stopped detecting gas", - "entity_name_stopped_detecting_light": "{entity_name} stopped detecting light", - "entity_name_stopped_detecting_motion": "{entity_name} stopped detecting motion", - "entity_name_stopped_detecting_problem": "{entity_name} stopped detecting problem", - "entity_name_stopped_detecting_smoke": "{entity_name} stopped detecting smoke", - "entity_name_stopped_detecting_sound": "{entity_name} stopped detecting sound", - "entity_name_stopped_detecting_vibration": "{entity_name} stopped detecting vibration", - "entity_name_battery_normal": "{entity_name} battery normal", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} became not cold", - "entity_name_disconnected": "{entity_name} disconnected", - "entity_name_became_not_hot": "{entity_name} became not hot", - "entity_name_unlocked": "{entity_name} unlocked", - "entity_name_became_dry": "{entity_name} became dry", - "entity_name_stopped_moving": "{entity_name} stopped moving", - "entity_name_became_not_occupied": "{entity_name} became not occupied", - "entity_name_unplugged": "{entity_name} unplugged", - "entity_name_not_powered": "{entity_name} not powered", - "entity_name_not_present": "{entity_name} not present", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} stopped detecting tampering", - "entity_name_became_safe": "{entity_name} became safe", - "entity_name_became_occupied": "{entity_name} became occupied", - "entity_name_plugged_in": "{entity_name} plugged in", - "entity_name_powered": "{entity_name} powered", - "entity_name_present": "{entity_name} present", - "entity_name_started_detecting_problem": "{entity_name} started detecting problem", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} started detecting smoke", - "entity_name_started_detecting_sound": "{entity_name} started detecting sound", - "entity_name_started_detecting_tampering": "{entity_name} started detecting tampering", - "entity_name_became_unsafe": "{entity_name} became unsafe", - "entity_name_started_detecting_vibration": "{entity_name} started detecting vibration", - "both_buttons": "Both buttons", - "bottom_buttons": "Bottom buttons", - "seventh_button": "Seventh button", - "eighth_button": "Eighth button", - "dim_down": "Dim down", - "dim_up": "Dim up", - "left": "Left", - "right": "Right", - "side": "Side 6", - "top_buttons": "Top buttons", - "device_awakened": "Device awakened", - "button_rotated_subtype": "Button rotated \"{subtype}\"", - "button_rotated_fast_subtype": "Button rotated fast \"{subtype}\"", - "button_rotation_subtype_stopped": "Button rotation \"{subtype}\" stopped", - "device_subtype_double_tapped": "Device \"{subtype}\" double tapped", - "trigger_type_remote_double_tap_any_side": "Device double tapped on any side", - "device_in_free_fall": "Device in free fall", - "device_flipped_degrees": "Device flipped 90 degrees", - "device_shaken": "Device shaken", - "trigger_type_remote_moved": "Device moved with \"{subtype}\" up", - "trigger_type_remote_moved_any_side": "Device moved with any side up", - "trigger_type_remote_rotate_from_side": "Device rotated from \"side 6\" to \"{subtype}\"", - "device_turned_clockwise": "Device turned clockwise", - "device_turned_counter_clockwise": "Device turned counter clockwise", - "lock_entity_name": "Lock {entity_name}", - "unlock_entity_name": "Unlock {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Most recently updated", + "arithmetic_mean": "Arithmetic mean", + "median": "Median", + "product": "Product", + "statistical_range": "Statistical range", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2744,16 +2821,111 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "No device class", "no_state_class": "No state class", "no_unit_of_measurement": "No unit of measurement", - "fatal": "Fatal", - "most_recently_updated": "Most recently updated", - "arithmetic_mean": "Arithmetic mean", - "median": "Median", - "product": "Product", - "statistical_range": "Statistical range", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Toggles the siren on/off.", + "turns_the_siren_off": "Turns the siren off.", + "turns_the_siren_on": "Turns the siren on.", + "tone": "Tone", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Toggles a cover open/closed.", + "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", + "toggle_tilt": "Toggle tilt", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Reload custom Jinja2 templates", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Disable custom integrations and custom cards.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Generic toggle", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Toggles a media player on/off.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "trigger": "Trigger", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2788,122 +2960,64 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Sets a random effect.", - "sequence_description": "List of HSV sequences (Max 16).", - "backgrounds": "Backgrounds", - "initial_brightness": "Initial brightness.", - "range_of_brightness": "Range of brightness.", - "brightness_range": "Brightness range", - "fade_off": "Fade off", - "range_of_hue": "Range of hue.", - "hue_range": "Hue range", - "initial_hsv_sequence": "Initial HSV sequence.", - "initial_states": "Initial states", - "random_seed": "Random seed", - "range_of_saturation": "Range of saturation.", - "saturation_range": "Saturation range", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Range of transition.", - "transition_range": "Transition range", - "random_effect": "Random effect", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Reload custom Jinja2 templates", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Disable custom integrations and custom cards.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Generic toggle", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Toggles a switch on/off.", - "turns_a_switch_off": "Turns a switch off.", - "turns_a_switch_on": "Turns a switch on.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Toggles play/pause.", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Sets preset mode.", + "set_preset_mode": "Set preset mode", + "toggles_the_fan_on_off": "Toggles the fan on/off.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Activates a scene with configuration.", "entities_description": "List of entities and their target state.", "entities_state": "Entities state", + "transition": "Transition", "apply": "Apply", "creates_a_new_scene": "Creates a new scene.", "scene_id_description": "The entity ID of the new scene.", @@ -2911,6 +3025,122 @@ "snapshot_entities": "Snapshot entities", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Activates a scene.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Arm with custom bypass", + "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", + "disarms_the_alarm": "Disarms the alarm.", + "alarm_trigger_description": "Enables an external alarm trigger.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Sets a random effect.", + "sequence_description": "List of HSV sequences (Max 16).", + "backgrounds": "Backgrounds", + "initial_brightness": "Initial brightness.", + "range_of_brightness": "Range of brightness.", + "brightness_range": "Brightness range", + "fade_off": "Fade off", + "range_of_hue": "Range of hue.", + "hue_range": "Hue range", + "initial_hsv_sequence": "Initial HSV sequence.", + "initial_states": "Initial states", + "random_seed": "Random seed", + "range_of_saturation": "Range of saturation.", + "saturation_range": "Saturation range", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Range of transition.", + "transition_range": "Transition range", + "random_effect": "Random effect", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Toggles a device on/off.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Turns auxiliary heater on/off.", "aux_heat_description": "New value of auxiliary heater.", "auxiliary_heating": "Auxiliary heating", @@ -2922,10 +3152,7 @@ "set_target_humidity": "Set target humidity", "sets_hvac_operation_mode": "Sets HVAC operation mode.", "hvac_operation_mode": "HVAC operation mode.", - "hvac_mode": "HVAC mode", "set_hvac_mode": "Set HVAC mode", - "sets_preset_mode": "Sets preset mode.", - "set_preset_mode": "Set preset mode", "sets_swing_operation_mode": "Sets swing operation mode.", "swing_operation_mode": "Swing operation mode.", "set_swing_mode": "Set swing mode", @@ -2937,75 +3164,25 @@ "set_target_temperature": "Set target temperature", "turns_climate_device_off": "Turns climate device off.", "turns_climate_device_on": "Turns climate device on.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Toggles a device on/off.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Toggles play/pause.", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Toggles (enable / disable) an automation.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Topic to listen to.", - "topic": "Topic", - "export": "Export", - "publish_description": "Publishes a message to an MQTT topic.", - "the_payload_to_publish": "The payload to publish.", - "payload": "Payload", - "payload_template": "Payload template", - "qos": "QoS", - "retain": "Retain", - "topic_to_publish_to": "Topic to publish to.", - "publish": "Publish", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -3013,187 +3190,74 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "trigger": "Trigger", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Toggles the siren on/off.", - "turns_the_siren_off": "Turns the siren off.", - "turns_the_siren_on": "Turns the siren on.", - "tone": "Tone", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Removes a group.", - "object_id": "Object ID", - "creates_updates_a_user_group": "Creates/Updates a user group.", - "add_entities": "Add entities", - "icon_description": "Name of the icon for the group.", - "name_of_the_group": "Name of the group.", - "remove_entities": "Remove entities", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Topic to listen to.", + "topic": "Topic", + "export": "Export", + "publish_description": "Publishes a message to an MQTT topic.", + "the_payload_to_publish": "The payload to publish.", + "payload": "Payload", + "payload_template": "Payload template", + "qos": "QoS", + "retain": "Retain", + "topic_to_publish_to": "Topic to publish to.", + "publish": "Publish", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Toggles a cover open/closed.", - "toggle_cover_tilt_description": "Toggles a cover tilt open/closed.", - "toggle_tilt": "Toggle tilt", - "toggles_the_helper_on_off": "Toggles the helper on/off.", - "turns_off_the_helper": "Turns off the helper.", - "turns_on_the_helper": "Turns on the helper.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Toggles a switch on/off.", + "turns_a_switch_off": "Turns a switch off.", + "turns_a_switch_on": "Turns a switch on.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Toggles the helper on/off.", + "turns_off_the_helper": "Turns off the helper.", + "turns_on_the_helper": "Turns on the helper.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Arm with custom bypass", - "alarm_arm_vacation_description": "Sets the alarm to: _armed for vacation_.", - "disarms_the_alarm": "Disarms the alarm.", - "alarm_trigger_description": "Enables an external alarm trigger.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Get weather forecast.", "type_description": "Forecast type: daily, hourly or twice daily.", "forecast_type": "Forecast type", "get_forecast": "Get forecast", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Toggles the fan on/off.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Represents a specific device endpoint in deCONZ.", @@ -3202,23 +3266,25 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Removes a group.", + "object_id": "Object ID", + "creates_updates_a_user_group": "Creates/Updates a user group.", + "add_entities": "Add entities", + "icon_description": "Name of the icon for the group.", + "name_of_the_group": "Name of the group.", + "remove_entities": "Remove entities", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/vi/vi.json b/packages/core/src/hooks/useLocale/locales/vi/vi.json index b6d3c1f..f844b61 100644 --- a/packages/core/src/hooks/useLocale/locales/vi/vi.json +++ b/packages/core/src/hooks/useLocale/locales/vi/vi.json @@ -1,7 +1,7 @@ { "energy": "Năng lượng", "calendar": "Lịch", - "setting": "Cài đặt", + "settings": "Settings", "overview": "Tổng quan", "map": "Map", "logbook": "Logbook", @@ -35,7 +35,7 @@ "upload_backup": "Tải lên bản sao lưu", "turn_on": "Turn on", "turn_off": "Turn off", - "toggle": "Toggle", + "toggle": "Bật/tắt", "code": "Code", "clear": "Trống", "arm": "Bảo vệ", @@ -104,8 +104,9 @@ "unlock": "Unlock", "open": "Open", "open_door": "Open door", - "really_open": "Really open?", - "door_open": "Door open", + "really_open": "Thật sự mở?", + "done": "Done", + "ui_card_lock_open_door_success": "Cửa mở", "source": "Source", "sound_mode": "Sound mode", "browse_media": "Duyệt phương tiện", @@ -137,7 +138,7 @@ "option": "Option", "installing": "Đang cài đặt", "installing_progress": "Đang cài đặt ({progress}%)", - "up_to_date": "Mới nhất", + "up_to_date": "Up-to-date", "empty_value": "(giá trị rỗng)", "start": "Start", "finish": "Finish", @@ -184,6 +185,7 @@ "loading": "Đang tải…", "refresh": "Làm mới", "delete": "Delete", + "delete_all": "Delete all", "download": "Download", "duplicate": "Nhân bản", "remove": "Xóa", @@ -226,6 +228,9 @@ "media_content_type": "Media content type", "upload_failed": "Tải lên không thành công", "unknown_file": "Tập tin không xác định", + "select_image": "Select image", + "upload_picture": "Upload picture", + "image_url": "Local path or web URL", "latitude": "Latitude", "longitude": "Longitude", "radius": "Bán kính", @@ -239,6 +244,7 @@ "date_and_time": "Ngày và giờ", "duration": "Duration", "entity": "Entity", + "floor": "Tầng", "icon": "Biểu tượng", "location": "Location", "number": "Số", @@ -269,7 +275,7 @@ "was_detected_away": "được phát hiện đi vắng", "was_detected_at_state": "được phát hiện {state}", "rose": "đã tăng", - "set": "Set", + "set": "Đặt", "was_low": "là thấp", "was_normal": "là bình thường", "was_connected": "đã kết nối", @@ -277,6 +283,7 @@ "was_opened": "đã mở", "was_closed": "đã đóng", "is_opening": "đang mở", + "is_opened": "được mở", "is_closing": "đang đóng", "was_unlocked": "đã mở khoá", "was_locked": "đã khoá", @@ -303,12 +310,12 @@ "entity_picker_no_entities": "Bạn không có bất kỳ thực thể nào", "no_matching_entities_found": "Không tìm thấy thực thể phù hợp", "show_entities": "Hiện thực thể", - "create_a_new_entity": "Create a new entity", + "create_a_new_entity": "Tạo thực thể mới", "show_attributes": "Hiện thuộc tính", "expand": "Mở rộng", - "target_picker_expand_floor_id": "Split this floor into separate areas.", + "target_picker_expand_floor_id": "Chia tầng này thành các khu vực riêng biệt.", "target_picker_expand_device_id": "Chia thiết bị này thành các thực thể riêng biệt.", - "remove_floor": "Remove floor", + "remove_floor": "Xóa tầng", "remove_area": "Xóa khu vực", "remove_device": "Xóa thiết bị", "remove_entity": "Xóa thực thể", @@ -317,19 +324,22 @@ "choose_device": "Chọn thiết bị", "choose_entity": "Chọn thực thể", "choose_label": "Chọn nhãn", - "filters": "Filters", + "filters": "Bộ lọc", "show_number_results": "hiện {number} kết quả", - "clear_filter": "Clear filter", - "close_filters": "Close filters", - "exit_selection_mode": "Exit selection mode", - "enter_selection_mode": "Enter selection mode", - "sort_by_sortcolumn": "Sort by {sortColumn}", - "group_by_groupcolumn": "Group by {groupColumn}", - "don_t_group": "Don't group", - "selected_selected": "Selected {selected}", - "close_selection_mode": "Close selection mode", - "select_all": "Select all", - "select_none": "Select none", + "clear_filter": "Tẩy trống bộ lọc", + "close_filters": "Đóng bộ lọc", + "exit_selection_mode": "Thoát chế độ chọn", + "enter_selection_mode": "Vào chế độ chọn", + "sort_by_sortcolumn": "Sắp xếp theo {sortColumn}", + "group_by_groupcolumn": "Nhóm theo {groupColumn}", + "don_t_group": "Đừng nhóm", + "collapse_all": "Collapse all", + "expand_all": "Expand all", + "selected_selected": "Đã chọn {selected}", + "close_selection_mode": "Đóng chế độ chọn", + "select_all": "Chọn tất cả", + "select_none": "Bỏ chọn tất cả", + "customize_table": "Customize table", "conversation_agent": "Nhân viên hội thoại", "country": "Quốc gia", "assistant": "Trợ lý", @@ -338,7 +348,7 @@ "no_theme": "Không có chủ đề", "language": "Language", "no_languages_available": "Không có ngôn ngữ nào", - "text_to_speech": "Chuyển văn bản thành giọng nói", + "text_to_speech": "Text to speech", "voice": "Giọng nói", "no_user": "Không có người dùng", "add_user": "Thêm người dùng", @@ -348,10 +358,9 @@ "device_picker_no_devices": "Bạn không có bất kỳ thiết bị nào", "no_matching_devices_found": "Không tìm thấy thiết bị phù hợp", "no_area": "Không có khu vực", - "show_categories": "Show categories", - "categories": "Categories", - "category": "Category", - "add_category": "Add category", + "show_categories": "Hiện danh mục", + "category": "Danh mục", + "add_category": "Thêm danh mục", "add_new_category_name": "Thêm danh mục mới ''{name}''", "add_new_category": "Thêm danh mục mới", "category_picker_no_categories": "Bạn không có bất kỳ danh mục nào", @@ -360,7 +369,6 @@ "failed_to_create_category": "Không tạo được danh mục.", "show_labels": "Hiện nhãn", "label": "Nhãn", - "labels": "Labels", "add_label": "Thêm nhãn", "add_new_label_name": "Thêm nhãn mới ''{name}''", "add_new_label": "Thêm nhãn mới…", @@ -371,17 +379,18 @@ "add_new_area": "Thêm khu vực mới…", "area_picker_no_areas": "Bạn chưa có khu vực nào", "no_matching_areas_found": "Không tìm thấy khu vực trùng khớp", - "unassigned_areas": "Unassigned areas", + "unassigned_areas": "Khu vực chưa được chỉ định", "failed_to_create_area": "Không thể tạo khu vực.", "ui_components_area_picker_add_dialog_text": "Nhập tên của khu vực mới.", "ui_components_area_picker_add_dialog_title": "Thêm khu vực mới", - "show_floors": "Show floors", - "floor": "Floor", - "add_new_floor_name": "Add new floor ''{name}''", - "add_new_floor": "Add new floor…", - "floor_picker_no_floors": "You don't have any floors", - "no_matching_floors_found": "No matching floors found", + "show_floors": "Hiển tầng", + "add_new_floor_name": "Thêm tầng mới ''{name}''", + "add_new_floor": "Thêm tầng mới…", + "floor_picker_no_floors": "Bạn không có tầng nào", + "no_matching_floors_found": "Không tìm thấy tầng phù hợp", "failed_to_create_floor": "Không tạo được tầng.", + "ui_components_floor_picker_add_dialog_text": "Nhập tên tầng mới.", + "ui_components_floor_picker_add_dialog_title": "Thêm tầng mới", "area_filter_area_count": "{count} {count, plural,\n one {khu vực}\n other {khu vực}\n}", "all_areas": "Tất cả các khu vực", "show_area": "Hiện {area}", @@ -430,15 +439,15 @@ "light_green": "Light green", "lime": "Lime", "yellow": "Yellow", - "amber": "Amber", + "amber": "Hổ phách", "orange": "Orange", - "deep_orange": "Deep orange", + "deep_orange": "Cam đậm", "brown": "Brown", "light_grey": "Light grey", "grey": "Grey", "dark_grey": "Dark grey", - "blue_grey": "Blue grey", - "black": "Black", + "blue_grey": "Xanh xám", + "black": "Đen", "white": "White", "start_date": "Start date", "end_date": "End date", @@ -452,6 +461,9 @@ "last_month": "Tháng trước", "this_year": "Năm nay", "last_year": "Năm ngoái", + "reset_to_default_size": "Reset to default size", + "number_of_columns": "Number of columns", + "number_of_rows": "Number of rows", "never": "Không bao giờ", "history_integration_disabled": "Đã tắt bộ tích hợp lịch sử", "loading_state_history": "Đang tải lịch sử trạng thái…", @@ -481,7 +493,11 @@ "no_data": "Không có dữ liệu", "filtering_by": "Lọc theo", "number_hidden": "{number} bị ẩn", - "ungrouped": "Ungrouped", + "ungrouped": "Đã tách nhóm", + "customize": "Customize", + "hide_column_title": "Hide column {title}", + "show_column_title": "Show column {title}", + "restore_defaults": "Restore defaults", "message": "Message", "gender": "Giới tính", "male": "Nam", @@ -518,7 +534,7 @@ "episode": "Tập", "game": "Trò chơi", "genre": "Thể loại", - "image": "Ảnh", + "image": "Image", "movie": "Phim", "music": "Âm nhạc", "playlist": "Danh sách phát", @@ -606,7 +622,7 @@ "script": "Tập lệnh", "scenes": "Cảnh", "people": "Người", - "zone": "Vùng", + "zones": "Vùng", "input_booleans": "Nhập nhị phân", "input_texts": "Nhập văn bản", "input_numbers": "Nhập số", @@ -688,6 +704,7 @@ "azimuth": "Phương vị", "elevation": "Elevation", "rising": "Mọc", + "setting": "Cài đặt", "read_release_announcement": "Đọc thông báo phát hành", "clear_skipped": "Tẩy trống bỏ qua", "create_backup_before_updating": "Tạo bản sao lưu trước khi cập nhật", @@ -808,7 +825,7 @@ "restart_home_assistant": "Khởi động lại Home Assistant?", "advanced_options": "Advanced options", "quick_reload": "Tải lại nhanh", - "reload_description": "Tải lại biến trợ giúp từ cấu hình YAML.", + "reload_description": "Reloads zones from the YAML-configuration.", "reloading_configuration": "Đang tải lại cấu hình", "failed_to_reload_configuration": "Không thể tải lại cấu hình", "restart_description": "Làm gián đoạn tất cả các tự động hóa và tập lệnh đang chạy.", @@ -933,25 +950,24 @@ "no_it_s_new": "Không. Nó mới.", "main_answer_existing": "Đúng. Nó đã được sử dụng rồi.", "main_answer_existing_description": "Thiết bị của tôi đã được kết nối với bộ điều khiển khác.", - "new_playstore": "Get it on Google Play", - "new_appstore": "Download on the App Store", + "new_playstore": "Tải nó trên Google Play", + "new_appstore": "Tải xuống từ App Store", "existing_question": "Nó được kết nối với bộ điều khiển nào?", "google_home": "Google Home", "apple_home": "Apple Home", "other_controllers": "Bộ điều khiển khác", "link_matter_app": "Liên kết ứng dụng Matter", - "tap_linked_matter_apps_services": "Tap {linked_matter_apps_services}.", + "tap_linked_matter_apps_services": "Nhấn vào {linked_matter_apps_services}.", "google_home_linked_matter_apps_services": "Các ứng dụng và dịch vụ Matter đã liên kết", - "link_apps_services": "Link apps & services", + "link_apps_services": "Liên kết ứng dụng và dịch vụ", "copy_pairing_code": "Sao chép mã ghép nối", - "google_home_fallback_linked_matter_apps_services": "Linked Matter apps and services", - "use_pairing_code": "Use Pairing Code", - "pairing_code": "Pairing code", - "copy_setup_code": "Copy setup code", - "apple_home_step": "You now see the setup code.", - "accessory_settings": "Accessory Settings", - "turn_on_pairing_mode": "Turn On Pairing Mode", - "setup_code": "Setup code", + "use_pairing_code": "Sử dụng mã ghép nối", + "pairing_code": "Mã ghép nối", + "copy_setup_code": "Sao chép mã thiết lập", + "apple_home_step": "Bây giờ bạn thấy mã thiết lập.", + "accessory_settings": "Cài đặt phụ kiện", + "turn_on_pairing_mode": "Bật chế độ ghép nối", + "setup_code": "Mã thiết lập", "monday": "Thứ hai", "tuesday": "Thứ ba", "wednesday": "Thứ tư", @@ -982,7 +998,6 @@ "notification_toast_no_matching_link_found": "Không tìm thấy My link phù hợp cho {path}", "app_configuration": "Cấu hình ứng dụng", "sidebar_toggle": "Ẩn hiện thanh bên", - "done": "Done", "hide_panel": "Ẩn bảng điều khiển", "show_panel": "Hiện bảng điều khiển", "show_more_information": "Hiện thêm thông tin", @@ -1079,9 +1094,11 @@ "view_configuration": "Cấu hình màn hình điều khiển", "name_view_configuration": "Cấu hình màn hình {name}", "add_view": "Thêm màn hình điều khiển", + "background_title": "Add a background to the view", "edit_view": "Chỉnh sửa màn hình điều khiển", "move_view_left": "Di chuyển màn hình sang trái", "move_view_right": "Di chuyển màn hình sang phải", + "background": "Background", "badges": "Huy hiệu", "view_type": "Loại màn hình", "masonry_default": "Xếp gạch (mặc định)", @@ -1089,9 +1106,9 @@ "panel_card": "Tấm bảng (1 thẻ)", "sections_experimental": "Mục (thử nghiệm)", "subview": "Màn hình phụ", - "max_number_of_columns": "Max number of columns", - "edit_in_visual_editor": "Soạn thảo bằng UI", - "edit_in_yaml": "Soạn thảo dưới dạng YAML", + "max_number_of_columns": "Số cột tối đa", + "edit_in_visual_editor": "Edit in visual editor", + "edit_in_yaml": "Edit in YAML", "saving_failed": "Lưu không thành công", "ui_panel_lovelace_editor_edit_view_type_helper_others": "Bạn không thể thay đổi màn hình điều khiển của mình sang loại khác vì tính năng di chuyển chưa được hỗ trợ. Bắt đầu lại từ đầu với màn hình mới nếu bạn muốn sử dụng loại màn hình điều khiển khác.", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "Bạn không thể thay đổi màn hình điều khiển của mình để sử dụng loại màn hình 'mục' vì tính năng di chuyển chưa được hỗ trợ. Bắt đầu lại từ đầu với màn hình mới nếu bạn muốn thử nghiệm màn hình điều khiển 'mục'.", @@ -1114,6 +1131,8 @@ "increase_card_position": "Tăng vị trí thẻ", "more_options": "Tùy chọn khác", "search_cards": "Tìm kiếm thẻ", + "config": "Config", + "layout": "Layout", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "Bạn muốn thêm thẻ nào vào màn hình {name} của mình?", "move_card_error_title": "Không thể di chuyển thẻ", "choose_a_view": "Chọn một màn hình điều khiển", @@ -1130,8 +1149,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section} và tất cả các thẻ của nó sẽ bị xóa.", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section} sẽ bị xóa.", "ui_panel_lovelace_editor_delete_section_unnamed_section": "Mục này", - "edit_name": "Chỉnh sửa tên", - "add_name": "Thêm tên", + "edit_section": "Edit section", "suggest_card_header": "Chúng tôi đã tạo một đề xuất cho bạn", "pick_different_card": "Chọn thẻ khác", "add_to_dashboard": "Thêm vào bảng điều khiển", @@ -1152,8 +1170,8 @@ "condition_did_not_pass": "Điều kiện không thỏa mãn", "invalid_configuration": "Cấu hình không hợp lệ", "entity_numeric_state": "Trạng thái số thực thể", - "top": "Trên", - "below": "Dưới", + "above": "Above", + "below": "Below", "screen": "Screen", "screen_sizes": "Kích thước màn hình", "mobile": "Điện thoại di động", @@ -1279,36 +1297,36 @@ "cover_tilt": "Màn nghiêng", "cover_tilt_position": "Vị trí màn nghiêng", "alarm_modes": "Chế độ báo động", - "customize_alarm_modes": "Customize alarm modes", + "customize_alarm_modes": "Tùy chỉnh chế độ báo động", "light_brightness": "Độ sáng đèn", "light_color_temperature": "Nhiệt độ màu đèn", - "lock_commands": "Lock commands", - "lock_open_door": "Lock open door", + "lock_commands": "Khóa lệnh", + "lock_open_door": "Khóa cửa mở", "vacuum_commands": "Câu lệnh hút bụi", "commands": "Lệnh", "climate_fan_modes": "Chế độ quạt điều hòa", "style": "Phong cách", "dropdown": "Thả xuống", - "customize_fan_modes": "Customize fan modes", + "customize_fan_modes": "Tùy chỉnh chế độ quạt", "fan_mode": "Chế độ quạt", "climate_swing_modes": "Chế độ xoay điều hòa", "swing_mode": "Chế độ xoay", - "customize_swing_modes": "Customize swing modes", + "customize_swing_modes": "Tùy chỉnh chế độ xoay", "climate_hvac_modes": "Chế độ máy điều hòa", "hvac_mode": "Chế độ điều hòa", - "customize_hvac_modes": "Customize HVAC modes", + "customize_hvac_modes": "Tùy chỉnh chế độ máy điều hòa", "climate_preset_modes": "Chế độ cài đặt sẵn khí hậu", - "customize_preset_modes": "Customize preset modes", + "customize_preset_modes": "Tùy chỉnh chế độ cài sẵn", "fan_preset_modes": "Chế độ cài sẵn quạt", "humidifier_toggle": "Bật/tắt máy tạo ẩm", "humidifier_modes": "Chế độ tạo ẩm", - "customize_modes": "Customize modes", + "customize_modes": "Tùy chỉnh chế độ", "select_options": "Lựa chọn phương án", - "customize_options": "Customize options", + "customize_options": "Tùy chỉnh tùy chọn", "input_number": "Đầu vào số", "water_heater_operation_modes": "Chế độ hoạt động của máy nước nóng", "operation_modes": "Chế độ hoạt động", - "customize_operation_modes": "Customize operation modes", + "customize_operation_modes": "Tùy chỉnh chế độ hoạt động", "update_actions": "Cập nhật hành động", "backup": "Backup", "ask": "Hỏi", @@ -1326,14 +1344,10 @@ "header_editor": "Trình soạn thảo tiêu đề", "footer_editor": "Trình soạn thảo chân trang", "feature_editor": "Trình soạn thảo tính năng", - "ui_panel_lovelace_editor_color_picker_colors_amber": "Hổ phách", - "ui_panel_lovelace_editor_color_picker_colors_black": "Đen", "ui_panel_lovelace_editor_color_picker_colors_blue": "Xanh lam", - "ui_panel_lovelace_editor_color_picker_colors_blue_grey": "Xanh xám", "ui_panel_lovelace_editor_color_picker_colors_brown": "Nâu", "ui_panel_lovelace_editor_color_picker_colors_cyan": "Lục lam", "ui_panel_lovelace_editor_color_picker_colors_dark_grey": "Xám đen", - "ui_panel_lovelace_editor_color_picker_colors_deep_orange": "Cam đậm", "ui_panel_lovelace_editor_color_picker_colors_green": "Xanh lá", "ui_panel_lovelace_editor_color_picker_colors_grey": "Xám", "ui_panel_lovelace_editor_color_picker_colors_indigo": "Chàm", @@ -1348,177 +1362,125 @@ "ui_panel_lovelace_editor_color_picker_colors_teal": "Mòng két", "ui_panel_lovelace_editor_color_picker_colors_white": "Trắng", "ui_panel_lovelace_editor_color_picker_colors_yellow": "Vàng", + "ui_panel_lovelace_editor_edit_section_title_title": "Chỉnh sửa tên", + "ui_panel_lovelace_editor_edit_section_title_title_new": "Thêm tên", "warning_attribute_not_found": "Thuộc tính {attribute} không có trong: {entity}", "entity_not_available_entity": "Thực thể không có sẵn: {entity}", "entity_is_non_numeric_entity": "Thực thể không phải là số: {entity}", "warning_entity_unavailable": "Thực thể hiện không khả dụng: {entity}", "invalid_timestamp": "Dấu thời gian không hợp lệ", "invalid_display_format": "Định dạng hiển thị không hợp lệ", + "now": "Now", "compare_data": "So sánh dữ liệu", "reload_ui": "Tải lại giao diện", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "Công tắc", - "camera": "Máy ảnh", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "Nhóm", - "timer": "Hẹn giờ", - "schedule": "Schedule", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "Rèm, cửa cuốn", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "Đầu vào luận lý", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "Conversation", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "Rèm, cửa cuốn", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "Bluetooth", + "input_button": "Input button", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "Bảng điều khiển an ninh", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "Quạt", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "Bộ theo dõi thiết bị", + "trace": "Trace", + "stream": "Stream", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "Đầu vào luận lý", + "camera": "Máy ảnh", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "Đầu vào ngày giờ", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "Diagnostics", + "siren": "Còi báo động", + "fitbit": "Fitbit", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "Valve", + "assist_pipeline": "Assist pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "Điều hòa", + "conversation": "Conversation", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "File Size", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "Persistent Notification", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "Application Credentials", - "local_calendar": "Local Calendar", - "trace": "Trace", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "Đầu vào ký tự", - "rpi_power_title": "Raspberry Pi Power Supply Checker", - "weather": "Thời tiết", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "Nhóm", + "auth": "Auth", + "thread": "Thread", + "zone": "Zone", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "Schedule", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "Persistent Notification", + "remote": "Điều khiển từ xa", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi Power Supply Checker", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "Công tắc", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "Bộ theo dõi thiết bị", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "Thời tiết", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "Điều khiển từ xa", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "binary_sensor": "Cảm biến nhị phân", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "Quạt", + "scene": "Scene", + "input_select": "Chọn đầu vào", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "Event", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "Bluetooth", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "Event", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "Điều hòa", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "Counter", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "Ứng dụng di động", - "diagnostics": "Diagnostics", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Còi báo động", - "input_select": "Chọn đầu vào", + "deconz": "deCONZ", + "timer": "Hẹn giờ", + "application_credentials": "Application Credentials", "logger": "Logger", - "assist_pipeline": "Assist pipeline", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "Input button", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "Counter", - "binary_sensor": "Cảm biến nhị phân", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "Valve", - "os_agent_version": "OS Agent version", - "apparmor_version": "Apparmor version", - "cpu_percent": "CPU percent", - "disk_free": "Disk free", - "disk_total": "Disk total", - "disk_used": "Disk used", - "memory_percent": "Memory percent", - "version": "Version", - "newest_version": "Newest version", + "local_calendar": "Local Calendar", "synchronize_devices": "Synchronize devices", - "device_name_current": "{device_name} current", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} current consumption", - "today_s_consumption": "Today's consumption", - "device_name_today_s_consumption": "{device_name} today's consumption", - "total_consumption": "Total consumption", - "device_name_total_consumption": "{device_name} total consumption", - "device_name_voltage": "{device_name} voltage", - "led": "LED", - "bytes_received": "Bytes received", - "server_country": "Server country", - "server_id": "Server ID", - "server_name": "Server name", - "ping": "Ping", - "upload": "Upload", - "bytes_sent": "Bytes sent", - "air_quality_index": "Chỉ số chất lượng không khí", - "illuminance": "Độ sáng", - "noise": "Noise", - "overload": "Overload", - "voltage": "Điện áp", - "estimated_distance": "Estimated distance", - "vendor": "Vendor", - "assist_in_progress": "Assist in progress", - "auto_gain": "Auto gain", - "mic_volume": "Mic volume", - "noise_suppression": "Noise suppression", - "noise_suppression_level": "Noise suppression level", - "preferred": "Preferred", - "mute": "Mute", - "satellite_enabled": "Satellite enabled", - "ding": "Ding", - "doorbell_volume": "Doorbell volume", - "last_activity": "Last activity", - "last_ding": "Last ding", - "last_motion": "Last motion", - "voice_volume": "Voice volume", - "volume": "Âm lượng", - "wi_fi_signal_category": "Wi-Fi signal category", - "wi_fi_signal_strength": "Wi-Fi signal strength", - "battery_level": "Battery level", - "size": "Size", - "size_in_bytes": "Size in bytes", - "finished_speaking_detection": "Finished speaking detection", - "aggressive": "Aggressive", - "default": "Default", - "relaxed": "Relaxed", - "call_active": "Call Active", - "quiet": "Quiet", + "last_scanned_by_device_id_name": "Last scanned by device ID", + "tag_id": "Tag ID", "heavy": "Heavy", "mild": "Mild", "button_down": "Button down", @@ -1535,41 +1497,20 @@ "not_completed": "Not completed", "pending": "Đang chờ", "checking": "Checking", - "closed": "Closed", + "closed": "Đóng", "closing": "Closing", "failure": "Failure", "opened": "Opened", - "device_admin": "Device admin", - "kiosk_mode": "Kiosk mode", - "plugged_in": "Đã cắm phích cắm", - "load_start_url": "Load start URL", - "restart_browser": "Restart browser", - "restart_device": "Restart device", - "send_to_background": "Send to background", - "bring_to_foreground": "Bring to foreground", - "screen_brightness": "Screen brightness", - "screen_off_timer": "Screen off timer", - "screensaver_brightness": "Screensaver brightness", - "screensaver_timer": "Screensaver timer", - "current_page": "Current page", - "foreground_app": "Foreground app", - "internal_storage_free_space": "Internal storage free space", - "internal_storage_total_space": "Internal storage total space", - "free_memory": "Free memory", - "total_memory": "Total memory", - "screen_orientation": "Screen orientation", - "kiosk_lock": "Kiosk lock", - "maintenance_mode": "Maintenance mode", - "motion_detection": "Phát hiện chuyển động", - "screensaver": "Screensaver", - "compressor_energy_consumption": "Compressor energy consumption", - "compressor_estimated_power_consumption": "Compressor estimated power consumption", - "compressor_frequency": "Compressor frequency", - "cool_energy_consumption": "Cool energy consumption", - "energy_consumption": "Energy consumption", - "heat_energy_consumption": "Heat energy consumption", - "inside_temperature": "Inside temperature", - "outside_temperature": "Outside temperature", + "battery_level": "Battery level", + "os_agent_version": "OS Agent version", + "apparmor_version": "Apparmor version", + "cpu_percent": "CPU percent", + "disk_free": "Disk free", + "disk_total": "Disk total", + "disk_used": "Disk used", + "memory_percent": "Memory percent", + "version": "Version", + "newest_version": "Newest version", "next_dawn": "Bình minh tới", "next_dusk": "Hoàng hôn tới", "next_midnight": "Nửa đêm tới", @@ -1579,17 +1520,125 @@ "solar_azimuth": "Phương vị mặt trời", "solar_elevation": "Độ cao mặt trời", "solar_rising": "Solar rising", - "calibration": "Hiệu chuẩn", - "auto_lock_paused": "Tự động khóa bị tạm dừng", - "timeout": "Timeout", - "unclosed_alarm": "Báo động chưa đóng", - "unlocked_alarm": "Báo động mở khóa", - "bluetooth_signal": "Tín hiệu Bluetooth", - "light_level": "Mức độ đèn", - "wi_fi_signal": "Wi-Fi signal", - "momentary": "Nhất thời", - "pull_retract": "Kéo/Rút", + "compressor_energy_consumption": "Compressor energy consumption", + "compressor_estimated_power_consumption": "Compressor estimated power consumption", + "compressor_frequency": "Compressor frequency", + "cool_energy_consumption": "Cool energy consumption", + "energy_consumption": "Energy consumption", + "heat_energy_consumption": "Heat energy consumption", + "inside_temperature": "Inside temperature", + "outside_temperature": "Outside temperature", + "assist_in_progress": "Assist in progress", + "preferred": "Preferred", + "finished_speaking_detection": "Finished speaking detection", + "aggressive": "Aggressive", + "default": "Default", + "relaxed": "Relaxed", + "device_admin": "Device admin", + "kiosk_mode": "Kiosk mode", + "plugged_in": "Đã cắm phích cắm", + "load_start_url": "Load start URL", + "restart_browser": "Restart browser", + "restart_device": "Restart device", + "send_to_background": "Send to background", + "bring_to_foreground": "Bring to foreground", + "screenshot": "Screenshot", + "overlay_message": "Overlay message", + "screen_brightness": "Screen brightness", + "screen_off_timer": "Screen off timer", + "screensaver_brightness": "Screensaver brightness", + "screensaver_timer": "Screensaver timer", + "current_page": "Current page", + "foreground_app": "Foreground app", + "internal_storage_free_space": "Internal storage free space", + "internal_storage_total_space": "Internal storage total space", + "free_memory": "Free memory", + "total_memory": "Total memory", + "screen_orientation": "Screen orientation", + "kiosk_lock": "Kiosk lock", + "maintenance_mode": "Maintenance mode", + "motion_detection": "Phát hiện chuyển động", + "screensaver": "Screensaver", + "battery_low": "Battery low", + "cloud_connection": "Cloud connection", + "humidity_warning": "Humidity warning", + "overheated": "Overheated", + "temperature_warning": "Temperature warning", + "update_available": "Update available", + "dry": "Khô", + "wet": "Ướt", + "stop_alarm": "Stop alarm", + "test_alarm": "Test alarm", + "turn_off_in": "Turn off in", + "smooth_off": "Smooth off", + "smooth_on": "Smooth on", + "temperature_offset": "Temperature offset", + "alarm_sound": "Alarm sound", + "alarm_volume": "Alarm volume", + "light_preset": "Light preset", + "alarm_source": "Alarm source", + "auto_off_at": "Auto off at", + "available_firmware_version": "Available firmware version", + "this_month_s_consumption": "This month's consumption", + "today_s_consumption": "Today's consumption", + "total_consumption": "Total consumption", + "device_name_current": "{device_name} current", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} current consumption", + "current_firmware_version": "Current firmware version", + "device_time": "Device time", + "on_since": "On since", + "report_interval": "Report interval", + "signal_strength": "Cường độ tín hiệu", + "signal_level": "Signal level", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} today's consumption", + "device_name_total_consumption": "{device_name} total consumption", + "voltage": "Điện áp", + "device_name_voltage": "{device_name} voltage", + "auto_off_enabled": "Auto off enabled", + "auto_update_enabled": "Auto update enabled", + "fan_sleep_mode": "Fan sleep mode", + "led": "LED", + "smooth_transitions": "Smooth transitions", + "process_process": "Process {process}", + "disk_free_mount_point": "Disk free {mount_point}", + "disk_use_mount_point": "Disk use {mount_point}", + "disk_usage_mount_point": "Disk usage {mount_point}", + "ipv_address_ip_address": "IPv6 address {ip_address}", + "last_boot": "Last boot", + "load_m": "Load (5m)", + "memory_free": "Memory free", + "memory_use": "Memory use", + "memory_usage": "Memory usage", + "network_in_interface": "Network in {interface}", + "network_out_interface": "Network out {interface}", + "packets_in_interface": "Packets in {interface}", + "packets_out_interface": "Packets out {interface}", + "processor_temperature": "Processor temperature", + "processor_use": "Processor use", + "swap_free": "Swap free", + "swap_use": "Swap use", + "swap_usage": "Swap usage", + "network_throughput_in_interface": "Network throughput in {interface}", + "network_throughput_out_interface": "Network throughput out {interface}", + "estimated_distance": "Estimated distance", + "vendor": "Vendor", + "air_quality_index": "Chỉ số chất lượng không khí", + "illuminance": "Độ sáng", + "noise": "Noise", + "overload": "Overload", + "size": "Size", + "size_in_bytes": "Size in bytes", + "bytes_received": "Bytes received", + "server_country": "Server country", + "server_id": "Server ID", + "server_name": "Server name", + "ping": "Ping", + "upload": "Upload", + "bytes_sent": "Bytes sent", "animal": "Animal", + "detected": "Đã phát hiện", "animal_lens": "Animal lens 1", "face": "Face", "face_lens": "Face lens 1", @@ -1599,6 +1648,9 @@ "person_lens": "Person lens 1", "pet": "Pet", "pet_lens": "Pet lens 1", + "sleep_status": "Sleep status", + "awake": "Awake", + "sleeping": "Sleeping", "vehicle": "Vehicle", "vehicle_lens": "Vehicle lens 1", "visitor": "Visitor", @@ -1656,6 +1708,7 @@ "image_sharpness": "Image sharpness", "motion_sensitivity": "Motion sensitivity", "pir_sensitivity": "PIR sensitivity", + "volume": "Âm lượng", "zoom": "Zoom", "auto_quick_reply_message": "Auto quick reply message", "auto_track_method": "Auto track method", @@ -1664,15 +1717,16 @@ "pan_tilt_first": "Pan/tilt first", "day_night_mode": "Day night mode", "black_white": "Black & white", + "doorbell_led": "Doorbell LED", + "always_on": "Always on", + "state_alwaysonatnight": "Auto & always on at night", + "stay_off": "Tránh xa", "floodlight_mode": "Floodlight mode", "adaptive": "Adaptive", "auto_adaptive": "Auto adaptive", "on_at_night": "On at night", "play_quick_reply_message": "Play quick reply message", "ptz_preset": "Cài sẵn PTZ", - "always_on": "Always on", - "state_alwaysonatnight": "Auto & always on at night", - "stay_off": "Tránh xa", "battery_percentage": "Battery percentage", "battery_state": "Battery state", "charge_complete": "Charge complete", @@ -1686,6 +1740,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} storage", "ptz_pan_position": "PTZ pan position", "sd_hdd_index_storage": "SD {hdd_index} storage", + "wi_fi_signal": "Tín hiệu Wi-Fi", "auto_focus": "Auto focus", "auto_tracking": "Auto tracking", "buzzer_on_event": "Buzzer on event", @@ -1694,6 +1749,7 @@ "ftp_upload": "FTP upload", "guard_return": "Guard return", "hdr": "HDR", + "manual_record": "Manual record", "pir_enabled": "PIR enabled", "pir_reduce_false_alarm": "PIR reduce false alarm", "ptz_patrol": "PTZ patrol", @@ -1701,79 +1757,89 @@ "record": "Record", "record_audio": "Record audio", "siren_on_event": "Còi báo động khi có sự kiện", - "process_process": "Process {process}", - "disk_free_mount_point": "Disk free {mount_point}", - "disk_use_mount_point": "Disk use {mount_point}", - "disk_usage_mount_point": "Disk usage {mount_point}", - "ipv_address_ip_address": "IPv6 address {ip_address}", - "last_boot": "Last boot", - "load_m": "Load (5m)", - "memory_free": "Memory free", - "memory_use": "Memory use", - "memory_usage": "Memory usage", - "network_in_interface": "Network in {interface}", - "network_out_interface": "Network out {interface}", - "packets_in_interface": "Packets in {interface}", - "packets_out_interface": "Packets out {interface}", - "processor_temperature": "Processor temperature", - "processor_use": "Processor use", - "swap_free": "Swap free", - "swap_use": "Swap use", - "swap_usage": "Swap usage", - "network_throughput_in_interface": "Network throughput in {interface}", - "network_throughput_out_interface": "Network throughput out {interface}", - "device_trackers": "Trình theo dõi thiết bị", - "gps_accuracy": "GPS accuracy", + "call_active": "Call Active", + "quiet": "Quiet", + "auto_gain": "Auto gain", + "mic_volume": "Mic volume", + "noise_suppression": "Noise suppression", + "noise_suppression_level": "Noise suppression level", + "mute": "Mute", + "satellite_enabled": "Satellite enabled", + "calibration": "Hiệu chuẩn", + "auto_lock_paused": "Tự động khóa bị tạm dừng", + "timeout": "Timeout", + "unclosed_alarm": "Báo động chưa đóng", + "unlocked_alarm": "Báo động mở khóa", + "bluetooth_signal": "Tín hiệu Bluetooth", + "light_level": "Mức độ đèn", + "momentary": "Nhất thời", + "pull_retract": "Kéo/Rút", + "ding": "Ding", + "doorbell_volume": "Doorbell volume", + "last_activity": "Last activity", + "last_ding": "Last ding", + "last_motion": "Last motion", + "voice_volume": "Voice volume", + "wi_fi_signal_category": "Wi-Fi signal category", + "wi_fi_signal_strength": "Wi-Fi signal strength", + "automatic": "Tự động", + "box": "Hộp", + "step": "Bước", + "apparent_power": "Công suất biểu kiến", + "atmospheric_pressure": "Áp suất khí quyển", + "carbon_dioxide": "Khí CO₂", + "data_rate": "Tốc độ dữ liệu", + "distance": "Khoảng cách", + "stored_energy": "Năng lượng dự trữ", + "frequency": "Tần số", + "irradiance": "Bức xạ", + "nitrogen_dioxide": "Khí NO₂", + "nitrogen_monoxide": "Khí NO", + "nitrous_oxide": "Khí N₂O", + "ozone": "Khí ôzôn", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "Hệ số công suất", + "precipitation_intensity": "Cường độ mưa", + "pressure": "Áp suất", + "sound_pressure": "Áp suất âm thanh", + "speed": "Speed", + "sulphur_dioxide": "Khí SO₂", + "vocs": "Hợp chất hữu cơ dễ bay hơi", + "volume_flow_rate": "Volume flow rate", + "stored_volume": "Khối lượng lưu trữ", + "weight": "Trọng lượng", + "available_tones": "Âm có sẵn", + "end_time": "End time", + "start_time": "Start time", + "managed_via_ui": "Managed via UI", + "next_event": "Sự kiện tiếp theo", + "stopped": "Stopped", + "garage": "Ga-ra", "running_automations": "Đang chạy tự động hóa", - "max_running_scripts": "Số tập lệnh chạy tối đa", + "id": "ID", + "max_running_automations": "Tự động hóa chạy tối đa", "run_mode": "Chế độ chạy", "parallel": "Song song", "queued": "Xếp hàng", "single": "Đơn", - "end_time": "End time", - "start_time": "Start time", - "recording": "Đang ghi âm", - "streaming": "Đang truyền phát", - "access_token": "Mã truy cập", - "brand": "Thương hiệu", - "stream_type": "Loại luồng", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "Model", - "bluetooth_le": "Bluetooth LE", - "gps": "GPS", - "router": "Bộ định tuyến", - "cool": "Mát", - "dry": "Khô", - "fan_only": "Chỉ quạt", - "heat_cool": "Ấm/mát", - "aux_heat": "Nhiệt phụ trợ", - "current_humidity": "Độ ẩm hiện tại", - "current_temperature": "Current Temperature", - "diffuse": "Khuếch tán", - "middle": "Giữa", - "current_action": "Hành động hiện tại", - "cooling": "Làm mát", - "drying": "Làm khô", - "heating": "Làm ấm", - "preheating": "Làm ấm trước", - "max_target_humidity": "Độ ẩm mục tiêu tối đa", - "max_target_temperature": "Nhiệt độ mục tiêu tối đa", - "min_target_humidity": "Độ ẩm mục tiêu tối thiểu", - "min_target_temperature": "Nhiệt độ mục tiêu tối thiểu", - "boost": "Tăng cường", - "comfort": "Thoải mái", - "eco": "Tiết kiệm", - "sleep": "Ngủ", - "both": "Cả hai", - "horizontal": "Ngang", - "upper_target_temperature": "Nhiệt độ mục tiêu cận trên", - "lower_target_temperature": "Nhiệt độ mục tiêu cận dưới", - "target_temperature_step": "Bước nhiệt độ mục tiêu", - "buffering": "Đang đệm", - "paused": "Đã tạm dừng", - "playing": "Đang chơi", - "app_id": "ID ứng dụng", + "not_charging": "Không đang sạc", + "disconnected": "Đã ngắt kết nối", + "connected": "Đã kết nối", + "hot": "Nóng", + "no_light": "Không có đèn", + "light_detected": "Đã phát hiện ánh sáng", + "locked": "Đã khóa", + "unlocked": "Đã mở khóa", + "not_moving": "Không đang di chuyển", + "unplugged": "Đã rút phích cắm", + "not_running": "Không đang chạy", + "unsafe": "Không an toàn", + "tampering_detected": "Đã phát hiện bị phá", + "buffering": "Đang đệm", + "paused": "Đã tạm dừng", + "playing": "Đang chơi", + "app_id": "ID ứng dụng", "local_accessible_entity_picture": "Ảnh thực thể có thể truy cập cục bộ", "group_members": "Thành viên nhóm", "muted": "Muted", @@ -1789,73 +1855,11 @@ "receiver": "Máy thu", "speaker": "Loa", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "Chỉ độ sáng", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "Nhiệt độ màu (mired)", - "color_temperature_kelvin": "Nhiệt độ màu (Kelvin)", - "available_effects": "Hiệu ứng có sẵn", - "maximum_color_temperature_kelvin": "Nhiệt độ màu tối đa (Kelvin)", - "maximum_color_temperature_mireds": "Nhiệt độ màu tối đa (mired)", - "minimum_color_temperature_kelvin": "Nhiệt độ màu tối thiểu (Kelvin)", - "minimum_color_temperature_mireds": "Nhiệt độ màu tối thiểu (mired)", - "available_color_modes": "Chế độ màu có sẵn", - "event_type": "Kiểu sự kiện", - "doorbell": "Chuông cửa", - "available_tones": "Âm có sẵn", - "locked": "Đã khóa", - "unlocked": "Đã mở khóa", - "members": "Thành viên", - "managed_via_ui": "Managed via UI", - "id": "ID", - "max_running_automations": "Tự động hóa chạy tối đa", - "finishes_at": "Kết thúc tại", - "remaining": "Còn lại", - "next_event": "Sự kiện tiếp theo", - "update_available": "Có bản cập nhật", - "auto_update": "Auto update", - "in_progress": "In progress", - "installed_version": "Phiên bản đã cài đặt", - "latest_version": "Phiên bản mới nhất", - "release_summary": "Tóm tắt phát hành", - "release_url": "URL phát hành", - "skipped_version": "Phiên bản bị bỏ qua", - "firmware": "Phần lõi", - "automatic": "Tự động", - "box": "Hộp", - "step": "Bước", - "apparent_power": "Công suất biểu kiến", - "atmospheric_pressure": "Áp suất khí quyển", - "carbon_dioxide": "Khí CO₂", - "data_rate": "Tốc độ dữ liệu", - "distance": "Khoảng cách", - "stored_energy": "Năng lượng dự trữ", - "frequency": "Tần số", - "irradiance": "Bức xạ", - "nitrogen_dioxide": "Khí NO₂", - "nitrogen_monoxide": "Khí NO", - "nitrous_oxide": "Khí N₂O", - "ozone": "Khí ôzôn", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "Hệ số công suất", - "precipitation_intensity": "Cường độ mưa", - "pressure": "Áp suất", - "signal_strength": "Cường độ tín hiệu", - "sound_pressure": "Áp suất âm thanh", - "speed": "Speed", - "sulphur_dioxide": "Khí SO₂", - "vocs": "Hợp chất hữu cơ dễ bay hơi", - "volume_flow_rate": "Volume flow rate", - "stored_volume": "Khối lượng lưu trữ", - "weight": "Trọng lượng", - "stopped": "Stopped", - "garage": "Ga-ra", - "pattern": "Khuôn mẫu", + "above_horizon": "Trên đường chân trời", + "below_horizon": "Dưới đường chân trời", + "oscillating": "Oscillating", + "speed_step": "Bước tốc độ", + "available_preset_modes": "Các chế độ cài sẵn có sẵn", "armed_custom_bypass": "Bảo vệ bỏ qua tùy chỉnh", "disarming": "Đang tắt bảo vệ", "triggered": "Bị kích hoạt", @@ -1863,15 +1867,69 @@ "code_for_arming": "Mã để bật bảo vệ", "not_required": "Không bắt buộc", "code_format": "Định dạng mã", + "gps_accuracy": "GPS accuracy", + "bluetooth_le": "Bluetooth LE", + "gps": "GPS", + "router": "Bộ định tuyến", + "event_type": "Kiểu sự kiện", + "doorbell": "Chuông cửa", + "device_trackers": "Trình theo dõi thiết bị", + "max_running_scripts": "Số tập lệnh chạy tối đa", + "jammed": "Bị kẹt", + "locking": "Đang khóa", + "unlocking": "Đang mở khóa", + "cool": "Mát", + "fan_only": "Chỉ quạt", + "heat_cool": "Ấm/mát", + "aux_heat": "Nhiệt phụ trợ", + "current_humidity": "Độ ẩm hiện tại", + "current_temperature": "Current Temperature", + "diffuse": "Khuếch tán", + "middle": "Giữa", + "top": "Trên", + "current_action": "Hành động hiện tại", + "cooling": "Làm mát", + "drying": "Làm khô", + "heating": "Làm ấm", + "preheating": "Làm ấm trước", + "max_target_humidity": "Độ ẩm mục tiêu tối đa", + "max_target_temperature": "Nhiệt độ mục tiêu tối đa", + "min_target_humidity": "Độ ẩm mục tiêu tối thiểu", + "min_target_temperature": "Nhiệt độ mục tiêu tối thiểu", + "boost": "Tăng cường", + "comfort": "Thoải mái", + "eco": "Tiết kiệm", + "sleep": "Ngủ", + "both": "Cả hai", + "horizontal": "Ngang", + "upper_target_temperature": "Nhiệt độ mục tiêu cận trên", + "lower_target_temperature": "Nhiệt độ mục tiêu cận dưới", + "target_temperature_step": "Bước nhiệt độ mục tiêu", "last_reset": "Đặt lại lần cuối", "possible_states": "Các trạng thái có thể", "state_class": "Lớp trạng thái", "measurement": "Kích thước", "total": "Tổng cộng", "total_increasing": "Tổng số tăng", + "conductivity": "Conductivity", "data_size": "Kích thước dữ liệu", "balance": "Cân bằng", "timestamp": "Timestamp", + "color_mode": "Color Mode", + "brightness_only": "Chỉ độ sáng", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "Nhiệt độ màu (mired)", + "color_temperature_kelvin": "Nhiệt độ màu (Kelvin)", + "available_effects": "Hiệu ứng có sẵn", + "maximum_color_temperature_kelvin": "Nhiệt độ màu tối đa (Kelvin)", + "maximum_color_temperature_mireds": "Nhiệt độ màu tối đa (mired)", + "minimum_color_temperature_kelvin": "Nhiệt độ màu tối thiểu (Kelvin)", + "minimum_color_temperature_mireds": "Nhiệt độ màu tối thiểu (mired)", + "available_color_modes": "Chế độ màu có sẵn", "clear_night": "Trời trong, đêm", "cloudy": "Nhiều mây", "exceptional": "Đặc biệt", @@ -1894,61 +1952,78 @@ "uv_index": "Chỉ số UV", "wind_bearing": "Hướng gió", "wind_gust_speed": "Tốc độ gió giật", - "above_horizon": "Trên đường chân trời", - "below_horizon": "Dưới đường chân trời", - "oscillating": "Oscillating", - "speed_step": "Bước tốc độ", - "available_preset_modes": "Các chế độ cài sẵn có sẵn", - "jammed": "Bị kẹt", - "locking": "Đang khóa", - "unlocking": "Đang mở khóa", - "identify": "Nhận dạng", - "not_charging": "Không đang sạc", - "detected": "Đã phát hiện", - "disconnected": "Đã ngắt kết nối", - "connected": "Đã kết nối", - "hot": "Nóng", - "no_light": "Không có đèn", - "light_detected": "Đã phát hiện ánh sáng", - "wet": "Ướt", - "not_moving": "Không đang di chuyển", - "unplugged": "Đã rút phích cắm", - "not_running": "Không đang chạy", - "unsafe": "Không an toàn", - "tampering_detected": "Đã phát hiện bị phá", + "recording": "Đang ghi âm", + "streaming": "Đang truyền phát", + "access_token": "Mã truy cập", + "brand": "Thương hiệu", + "stream_type": "Loại luồng", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "Model", "minute": "Phút", "second": "Giây", - "location_is_already_configured": "Vị trí đã được cấu hình", - "failed_to_connect_error": "Failed to connect: {error}", - "invalid_api_key": "Khóa API không hợp lệ", - "api_key": "API key", + "pattern": "Khuôn mẫu", + "members": "Thành viên", + "finishes_at": "Kết thúc tại", + "remaining": "Còn lại", + "identify": "Nhận dạng", + "auto_update": "Auto update", + "in_progress": "In progress", + "installed_version": "Phiên bản đã cài đặt", + "latest_version": "Phiên bản mới nhất", + "release_summary": "Tóm tắt phát hành", + "release_url": "URL phát hành", + "skipped_version": "Phiên bản bị bỏ qua", + "firmware": "Phần lõi", + "abort_single_instance_allowed": "Already configured. Only a single configuration possible.", "user_description": "Bạn có muốn bắt đầu thiết lập không?", - "account_is_already_configured": "Account is already configured", - "abort_already_in_progress": "Configuration flow is already in progress", + "device_is_already_configured": "Device is already configured", + "re_authentication_was_successful": "Re-authentication was successful", + "re_configuration_was_successful": "Re-configuration was successful", "failed_to_connect": "Kết nối thất bại", + "error_custom_port_not_supported": "Gen1 device does not support custom port.", + "invalid_authentication": "Xác thực không hợp lệ", + "unexpected_error": "Lỗi không mong đợi", + "username": "Tên đăng nhập", + "host": "Host", + "account_is_already_configured": "Account is already configured", + "abort_already_in_progress": "Luồng cấu hình đang được tiến hành", "invalid_access_token": "Invalid access token", "received_invalid_token_data": "Received invalid token data.", "abort_oauth_failed": "Error while obtaining access token.", "timeout_resolving_oauth_token": "Timeout resolving OAuth token.", "abort_oauth_unauthorized": "OAuth authorization error while obtaining access token.", - "re_authentication_was_successful": "Re-authentication was successful", - "timeout_establishing_connection": "Timeout establishing connection", - "unexpected_error": "Lỗi không mong đợi", "successfully_authenticated": "Successfully authenticated", - "link_google_account": "Link Google Account", + "link_fitbit": "Link Fitbit", "pick_authentication_method": "Pick authentication method", "authentication_expired_for_name": "Authentication expired for {name}", "service_is_already_configured": "Service is already configured", - "confirm_description": "Bạn có muốn thiết lập {name} không?", - "device_is_already_configured": "Device is already configured", - "abort_no_devices_found": "Không tìm thấy thiết bị nào trên mạng", - "connection_error_error": "Connection error: {error}", - "invalid_authentication_error": "Invalid authentication: {error}", - "name_model_host": "{name} {model} ({host})", - "username": "Tên đăng nhập", - "authenticate": "Authenticate", - "host": "Host", - "abort_single_instance_allowed": "Đã được cấu hình. Chỉ có thể có một cấu hình duy nhất.", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "Bạn có muốn thiết lập {name} không?", + "adapter": "Bộ điều hợp", + "multiple_adapters_description": "Chọn bộ điều hợp Bluetooth để thiết lập", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "Khóa API", + "configure_daikin_ac": "Cấu hình Điều hòa Daikin", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1964,39 +2039,43 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", - "abort_invalid_host": "Tên máy chủ hoặc địa chỉ IP không hợp lệ", - "device_not_supported": "Device not supported", - "error_invalid_host": "Invalid hostname or IP address", - "name_model_at_host": "{name} ({model} tại {host})", - "authenticate_to_the_device": "Xác thực với thiết bị", - "finish_title": "Chọn tên cho thiết bị", - "unlock_the_device": "Mở khóa thiết bị", - "yes_do_it": "Ừ làm đi.", - "unlock_the_device_optional": "Unlock the device (optional)", - "connect_to_the_device": "Connect to the device", - "no_port_for_endpoint": "Không có cổng cho điểm cuối", - "abort_no_services": "Không tìm thấy dịch vụ nào ở điểm cuối", - "discovered_wyoming_service": "Discovered Wyoming service", - "invalid_authentication": "Invalid authentication", - "two_factor_code": "Mã hai nhân tố", - "two_factor_authentication": "Xác thực hai nhân tố", - "sign_in_with_ring_account": "Đăng nhập bằng tài khoản Ring", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "Link Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", + "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", + "unknown_details_error_detail": "Không xác định. Chi tiết: {error_detail}", + "uses_an_ssl_certificate": "Uses an SSL certificate", + "verify_ssl_certificate": "Verify SSL certificate", + "timeout_establishing_connection": "Timeout establishing connection", + "link_google_account": "Link Google Account", + "abort_no_devices_found": "Không tìm thấy thiết bị nào trên mạng", + "connection_error_error": "Connection error: {error}", + "invalid_authentication_error": "Invalid authentication: {error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "Authenticate", + "device_class": "Lớp thiết bị", + "state_template": "Bản mẫu trạng thái", + "template_binary_sensor": "Bản mẫu cảm biến nhị phân", + "template_sensor": "Bản mẫu cảm biến", + "template_a_binary_sensor": "Tạo bản mẫu một cảm biến nhị phân", + "template_a_sensor": "Tạo bản mẫu một cảm biến", + "template_helper": "Biến trợ giúp bản mẫu", + "location_is_already_configured": "Vị trí đã được cấu hình", + "failed_to_connect_error": "Failed to connect: {error}", + "invalid_api_key": "Khóa API không hợp lệ", + "error_already_in_progress": "Configuration flow is already in progress", + "pin_code": "PIN code", + "discovered_android_tv": "Discovered Android TV", + "confirm_description": "Do you want to start setup?", + "known_hosts": "Known hosts", + "google_cast_configuration": "Google Cast configuration", + "abort_invalid_host": "Tên máy chủ hoặc địa chỉ IP không hợp lệ", + "device_not_supported": "Device not supported", + "error_invalid_host": "Invalid hostname or IP address", + "name_model_at_host": "{name} ({model} tại {host})", + "authenticate_to_the_device": "Xác thực với thiết bị", + "finish_title": "Chọn tên cho thiết bị", + "unlock_the_device": "Mở khóa thiết bị", + "yes_do_it": "Ừ làm đi.", + "unlock_the_device_optional": "Unlock the device (optional)", + "connect_to_the_device": "Connect to the device", "invalid_birth_topic": "Chủ đề khai sinh không hợp lệ", "error_bad_certificate": "Chứng chỉ CA không hợp lệ", "invalid_discovery_prefix": "Tiền tố khám phá không hợp lệ", @@ -2020,8 +2099,9 @@ "path_is_not_allowed": "Path is not allowed", "path_is_not_valid": "Path is not valid", "path_to_file": "Path to file", - "known_hosts": "Known hosts", - "google_cast_configuration": "Google Cast configuration", + "api_error_occurred": "API error occurred", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "Enable HTTPS", "abort_mdns_missing_mac": "Missing MAC address in MDNS properties.", "abort_mqtt_missing_api": "Missing API port in MQTT properties.", "abort_mqtt_missing_ip": "Missing IP address in MQTT properties.", @@ -2029,10 +2109,34 @@ "service_received": "Service received", "discovered_esphome_node": "Đã phát hiện nút ESPHome", "encryption_key": "Khóa mã hóa", + "no_port_for_endpoint": "Không có cổng cho điểm cuối", + "abort_no_services": "Không tìm thấy dịch vụ nào ở điểm cuối", + "discovered_wyoming_service": "Discovered Wyoming service", + "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", + "unsupported_switchbot_type": "Loại switchbot không được hỗ trợ.", + "authentication_failed_error_detail": "Xác thực không thành công: {error_detail}", + "error_encryption_key_invalid": "ID khóa hoặc khóa mã hóa không hợp lệ", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "Tài khoản SwitchBot (được khuyến nghị)", + "menu_options_lock_key": "Nhập khóa mã hóa thủ công", + "key_id": "ID khóa", + "password_description": "Password to protect the backup with.", + "device_address": "Địa chỉ thiết bị", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "Mã hai nhân tố", + "two_factor_authentication": "Xác thực hai nhân tố", + "sign_in_with_ring_account": "Đăng nhập bằng tài khoản Ring", + "bridge_is_already_configured": "Cầu đã được cấu hình", + "no_deconz_bridges_discovered": "Không phát hiện cầu deCONZ", + "abort_no_hardware_available": "No radio hardware connected to deCONZ", + "abort_updated_instance": "Đã cập nhật phiên bản deCONZ với địa chỉ máy chủ mới", + "error_linking_not_possible": "Couldn't link with the gateway", + "error_no_key": "Không thể lấy khóa API", + "link_with_deconz": "Liên kết với deCONZ", + "select_discovered_deconz_gateway": "Chọn cổng deCONZ được phát hiện", "all_entities": "Mọi thực thể", "hide_members": "Ẩn thành viên", "add_group": "Thêm nhóm", - "device_class": "Lớp thiết bị", "ignore_non_numeric": "Bỏ qua không phải số", "data_round_digits": "Làm tròn giá trị thành số thập phân", "type": "Type", @@ -2045,82 +2149,50 @@ "media_player_group": "Nhóm phát đa phương tiện", "sensor_group": "Nhóm cảm biến", "switch_group": "Nhóm công tắc", - "name_already_exists": "Tên đã tồn tại", - "passive": "Passive", - "define_zone_parameters": "Xác định tham số vùng", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "Re-configuration was successful", - "error_custom_port_not_supported": "Gen1 device does not support custom port.", "abort_alternative_integration": "Device is better supported by another integration", "abort_discovery_error": "Failed to discover a matching DLNA device", "abort_incomplete_config": "Configuration is missing a required variable", "manual_description": "URL to a device description XML file", "manual_title": "Manual DLNA DMR device connection", "discovered_dlna_dmr_devices": "Discovered DLNA DMR devices", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "Tên đã tồn tại", + "passive": "Passive", + "define_zone_parameters": "Xác định tham số vùng", "calendar_name": "Calendar Name", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "Bộ điều hợp", - "multiple_adapters_description": "Chọn bộ điều hợp Bluetooth để thiết lập", - "cannot_connect_details_error_detail": "Cannot connect. Details: {error_detail}", - "unknown_details_error_detail": "Không xác định. Chi tiết: {error_detail}", - "uses_an_ssl_certificate": "Uses an SSL certificate", - "verify_ssl_certificate": "Verify SSL certificate", - "configure_daikin_ac": "Cấu hình Điều hòa Daikin", - "pin_code": "PIN code", - "discovered_android_tv": "Discovered Android TV", - "state_template": "Bản mẫu trạng thái", - "template_binary_sensor": "Bản mẫu cảm biến nhị phân", - "template_sensor": "Bản mẫu cảm biến", - "template_a_binary_sensor": "Tạo bản mẫu một cảm biến nhị phân", - "template_a_sensor": "Tạo bản mẫu một cảm biến", - "template_helper": "Biến trợ giúp bản mẫu", - "bridge_is_already_configured": "Cầu đã được cấu hình", - "no_deconz_bridges_discovered": "Không phát hiện cầu deCONZ", - "abort_no_hardware_available": "No radio hardware connected to deCONZ", - "abort_updated_instance": "Đã cập nhật phiên bản deCONZ với địa chỉ máy chủ mới", - "error_linking_not_possible": "Couldn't link with the gateway", - "error_no_key": "Không thể lấy khóa API", - "link_with_deconz": "Liên kết với deCONZ", - "select_discovered_deconz_gateway": "Chọn cổng deCONZ được phát hiện", - "abort_api_error": "Error while communicating with SwitchBot API: {error_detail}", - "unsupported_switchbot_type": "Loại switchbot không được hỗ trợ.", - "authentication_failed_error_detail": "Xác thực không thành công: {error_detail}", - "error_encryption_key_invalid": "ID khóa hoặc khóa mã hóa không hợp lệ", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "Tài khoản SwitchBot (được khuyến nghị)", - "menu_options_lock_key": "Nhập khóa mã hóa thủ công", - "key_id": "ID khóa", - "password_description": "Password to protect the backup with.", - "device_address": "Địa chỉ thiết bị", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "API error occurred", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "Enable HTTPS", - "enable_the_conversation_agent": "Enable the conversation agent", - "language_code": "Language code", - "select_test_server": "Chọn máy chủ thử nghiệm", - "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", - "minimum_rssi": "Minimum RSSI", - "data_new_uuid": "Enter a new allowed UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "Bluetooth scanner mode", + "passive_scanning": "Quét thụ động", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2203,6 +2275,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "Enable the conversation agent", + "language_code": "Language code", + "data_process": "Processes to add as sensor(s)", + "data_app_delete": "Check to delete this application", + "application_icon": "Application Icon", + "application_id": "Application ID", + "application_name": "Application Name", + "configure_application_id_app_id": "Configure application id {app_id}", + "configure_android_apps": "Configure Android Apps", + "configure_applications_list": "Configure applications list", + "data_allow_nameless_uuids": "Currently allowed UUIDs. Uncheck to remove", + "minimum_rssi": "Minimum RSSI", + "data_new_uuid": "Enter a new allowed UUID", + "data_calendar_access": "Home Assistant access to Google Calendar", + "ignore_cec": "Ignore CEC", + "allowed_uuids": "Allowed UUIDs", + "advanced_google_cast_configuration": "Advanced Google Cast configuration", "broker_options": "Tùy chọn nhà môi giới", "enable_birth_message": "Bật thông báo khai sinh", "birth_message_payload": "Phụ tải tin nhắn khai sinh", @@ -2216,106 +2305,37 @@ "will_message_retain": "Giữ lại tin nhắn di chúc", "will_message_topic": "Chủ đề tin nhắn di chúc", "mqtt_options": "Tùy chọn MQTT", - "ignore_cec": "Ignore CEC", - "allowed_uuids": "Allowed UUIDs", - "advanced_google_cast_configuration": "Advanced Google Cast configuration", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "Bluetooth scanner mode", + "protocol": "Protocol", + "select_test_server": "Chọn máy chủ thử nghiệm", + "retry_count": "Số lần thử lại", + "allow_deconz_clip_sensors": "Cho phép cảm biến CLIP deCONZ", + "allow_deconz_light_groups": "Cho phép nhóm đèn deCONZ", + "data_allow_new_devices": "Allow automatic addition of new devices", + "deconz_devices_description": "Định cấu hình khả năng hiển thị của các loại thiết bị deCONZ", + "deconz_options": "Tùy chọn deCONZ", "invalid_url": "Invalid URL", "data_browse_unfiltered": "Show incompatible media when browsing", "event_listener_callback_url": "Event listener callback URL", "data_listen_port": "Cổng lắng nghe sự kiện (ngẫu nhiên nếu không được đặt)", "poll_for_device_availability": "Poll for device availability", "init_title": "DLNA Digital Media Renderer configuration", - "passive_scanning": "Quét thụ động", - "allow_deconz_clip_sensors": "Cho phép cảm biến CLIP deCONZ", - "allow_deconz_light_groups": "Cho phép nhóm đèn deCONZ", - "data_allow_new_devices": "Allow automatic addition of new devices", - "deconz_devices_description": "Định cấu hình khả năng hiển thị của các loại thiết bị deCONZ", - "deconz_options": "Tùy chọn deCONZ", - "retry_count": "Số lần thử lại", - "data_calendar_access": "Home Assistant access to Google Calendar", - "protocol": "Protocol", - "data_process": "Processes to add as sensor(s)", - "toggle_entity_name": "Bật/tắt {entity_name}", - "disarm_entity_name": "Tắt {entity_name}", - "turn_on_entity_name": "Bật {entity_name}", - "entity_name_is_off": "{entity_name} đang tắt", - "entity_name_is_on": "{entity_name} đang bật", - "trigger_type_changed_states": "{entity_name} turned on or off", - "entity_name_turned_off": "{entity_name} đã tắt", - "entity_name_turned_on": "{entity_name} bật", - "entity_name_is_home": "{entity_name} có nhà", - "entity_name_is_not_home": "{entity_name} không có nhà", - "entity_name_enters_a_zone": "{entity_name} đi vào một vùng", - "entity_name_leaves_a_zone": "{entity_name} rời khỏi một vùng", - "action_type_set_hvac_mode": "Thay đổi chế độ điều hòa trên {entity_name}", - "change_preset_on_entity_name": "Thay đổi giá trị cài sẵn trên {entity_name}", - "entity_name_measured_humidity_changed": "Độ ẩm {entity_name} đo được đã thay đổi", - "entity_name_measured_temperature_changed": "Nhiệt độ {entity_name} đo được đã thay đổi", - "entity_name_hvac_mode_changed": "Chế độ điều hòa {entity_name} đã thay đổi", - "entity_name_is_buffering": "{entity_name} is buffering", - "entity_name_is_idle": "{entity_name} đang nhàn rỗi", - "entity_name_is_paused": "{entity_name} bị tạm dừng", - "entity_name_is_playing": "{entity_name} đang phát", - "entity_name_starts_buffering": "{entity_name} starts buffering", - "entity_name_becomes_idle": "{entity_name} trở nên nhàn rỗi", - "entity_name_starts_playing": "{entity_name} bắt đầu phát", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "Nút thứ nhất", "second_button": "Nút thứ hai", "third_button": "Nút thứ ba", "fourth_button": "Nút thứ tư", - "fifth_button": "Nút thứ năm", - "sixth_button": "Nút thứ sáu", - "subtype_double_clicked": "\"{subtype}\" được nhấn đúp", - "subtype_continuously_pressed": "\"{subtype}\" được nhấn liên tục", - "trigger_type_button_long_release": "\"{subtype}\" được thả sau khi nhấn lâu", - "subtype_quadruple_clicked": "\"{subtype}\" được nhấn bốn lần", - "subtype_quintuple_clicked": "\"{subtype}\" được nhấn năm lần", - "subtype_pressed": "\"{subtype}\" được nhấn", - "subtype_released": "\"{subtype}\" được thả", - "subtype_triple_clicked": "\"{subtype}\" được nhấn ba lần", - "decrease_entity_name_brightness": "Giảm độ sáng {entity_name}", - "increase_entity_name_brightness": "Tăng độ sáng {entity_name}", - "flash_entity_name": "Flash {entity_name}", - "action_type_select_first": "Change {entity_name} to first option", - "action_type_select_last": "Change {entity_name} to last option", - "action_type_select_next": "Change {entity_name} to next option", - "change_entity_name_option": "Thay đổi tùy chọn {entity_name}", - "action_type_select_previous": "Change {entity_name} to previous option", - "current_entity_name_selected_option": "Tùy chọn đã chọn {entity_name} hiện tại", - "entity_name_option_changed": "Tùy chọn {entity_name} thay đổi", - "entity_name_update_availability_changed": "{entity_name} update availability changed", - "entity_name_is_up_to_date": "{entity_name} đã được cập nhật", - "trigger_type_turned_on": "{entity_name} got an update available", "subtype_button_down": "Nút xuống {subtype}", "subtype_button_up": "Nút lên {subtype}", + "subtype_double_clicked": "\"{subtype}\" được nhấn đúp", "subtype_double_push": "{subtype} double push", "subtype_long_clicked": "{subtype} được nhấn lâu", "subtype_long_push": "{subtype} long push", @@ -2323,8 +2343,10 @@ "subtype_single_clicked": "{subtype} được nhấn một lần", "trigger_type_single_long": "{subtype} được nhấn một lần rồi nhấn lâu", "subtype_single_push": "{subtype} single push", + "subtype_triple_clicked": "\"{subtype}\" được nhấn ba lần", "subtype_triple_push": "{subtype} triple push", "set_value_for_entity_name": "Đặt giá trị cho {entity_name}", + "value": "Value", "close_entity_name": "Đóng {entity_name}", "close_entity_name_tilt": "Đóng nghiêng {entity_name}", "open_entity_name": "Mở {entity_name}", @@ -2342,7 +2364,107 @@ "entity_name_opened": "{entity_name} opened", "entity_name_position_changes": "{entity_name} thay đổi vị trí", "entity_name_tilt_position_changes": "{entity_name} thay đổi vị trí nghiêng", - "send_a_notification": "Send a notification", + "entity_name_battery_low": "{entity_name} pin yếu", + "entity_name_is_charging": "{entity_name} is charging", + "condition_type_is_co": "{entity_name} is detecting carbon monoxide", + "entity_name_is_cold": "{entity_name} lạnh", + "entity_name_is_connected": "{entity_name} được kết nối", + "entity_name_is_detecting_gas": "{entity_name} đang phát hiện khí đốt", + "entity_name_is_hot": "{entity_name} nóng", + "entity_name_is_detecting_light": "{entity_name} đang phát hiện ánh sáng", + "entity_name_is_locked": "{entity_name} bị khóa", + "entity_name_is_moist": "{entity_name} bị ẩm", + "entity_name_is_detecting_motion": "{entity_name} đang phát hiện chuyển động", + "entity_name_is_moving": "{entity_name} đang di chuyển", + "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", + "condition_type_is_no_gas": "{entity_name} không phát hiện thấy khí đốt", + "condition_type_is_no_light": "{entity_name} không phát hiện thấy ánh sáng", + "condition_type_is_no_motion": "{entity_name} không phát hiện thấy chuyển động", + "condition_type_is_no_problem": "{entity_name} không phát hiện được sự cố", + "condition_type_is_no_smoke": "{entity_name} không phát hiện thấy khói", + "condition_type_is_no_sound": "{entity_name} không phát hiện âm thanh", + "entity_name_is_up_to_date": "{entity_name} đã được cập nhật", + "condition_type_is_no_vibration": "{entity_name} không phát hiện thấy rung", + "entity_name_battery_normal": "{entity_name} pin bình thường", + "entity_name_is_not_charging": "{entity_name} is not charging", + "entity_name_is_not_cold": "{entity_name} không lạnh", + "entity_name_disconnected": "{entity_name} bị ngắt kết nối", + "entity_name_is_not_hot": "{entity_name} không nóng", + "entity_name_is_unlocked": "{entity_name} được mở khóa", + "entity_name_is_dry": "{entity_name} khô", + "entity_name_is_not_moving": "{entity_name} không di chuyển", + "entity_name_is_not_occupied": "{entity_name} không có người ở", + "entity_name_is_unplugged": "{entity_name} đã được rút phích cắm", + "entity_name_not_powered": "{entity_name} không được cấp nguồn", + "entity_name_not_present": "{entity_name} không có mặt", + "entity_name_is_not_running": "{entity_name} is not running", + "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", + "entity_name_is_safe": "{entity_name} an toàn", + "entity_name_is_occupied": "{entity_name} có người ở", + "entity_name_is_off": "{entity_name} đang tắt", + "entity_name_is_on": "{entity_name} đang bật", + "entity_name_is_plugged_in": "{entity_name} đã được cắm điện", + "entity_name_powered": "{entity_name} được cấp nguồn", + "entity_name_present": "{entity_name} có mặt", + "entity_name_is_detecting_problem": "{entity_name} đang phát hiện sự cố", + "entity_name_is_running": "{entity_name} is running", + "entity_name_is_detecting_smoke": "{entity_name} đang phát hiện khói", + "entity_name_is_detecting_sound": "{entity_name} đang phát hiện âm thanh", + "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", + "entity_name_is_unsafe": "{entity_name} không an toàn", + "trigger_type_update": "{entity_name} có sẵn bản cập nhật", + "entity_name_is_detecting_vibration": "{entity_name} đang phát hiện rung", + "entity_name_charging": "{entity_name} charging", + "trigger_type_co": "{entity_name} started detecting carbon monoxide", + "entity_name_became_cold": "{entity_name} trở nên lạnh", + "entity_name_connected": "{entity_name} đã kết nối", + "entity_name_started_detecting_gas": "{entity_name} bắt đầu phát hiện khí", + "entity_name_became_hot": "{entity_name} trở nên nóng", + "entity_name_started_detecting_light": "{entity_name} bắt đầu phát hiện ánh sáng", + "entity_name_locked": "{entity_name} đã khóa", + "entity_name_became_moist": "{entity_name} trở nên ẩm ướt", + "entity_name_started_detecting_motion": "{entity_name} bắt đầu phát hiện chuyển động", + "entity_name_started_moving": "{entity_name} bắt đầu di chuyển", + "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", + "entity_name_stopped_detecting_gas": "{entity_name} ngừng phát hiện khí", + "entity_name_stopped_detecting_light": "{entity_name} ngừng phát hiện ánh sáng", + "entity_name_stopped_detecting_motion": "{entity_name} ngừng phát hiện chuyển động", + "entity_name_stopped_detecting_problem": "{entity_name} ngừng phát hiện sự cố", + "entity_name_stopped_detecting_smoke": "{entity_name} ngừng phát hiện khói", + "entity_name_stopped_detecting_sound": "{entity_name} ngừng phát hiện âm thanh", + "entity_name_stopped_detecting_vibration": "{entity_name} ngừng phát hiện rung động", + "entity_name_not_charging": "{entity_name} not charging", + "entity_name_became_not_cold": "{entity_name} trở nên không lạnh", + "entity_name_became_not_hot": "{entity_name} trở nên không nóng", + "entity_name_unlocked": "{entity_name} đã mở khóa", + "entity_name_became_dry": "{entity_name} trở nên khô", + "entity_name_stopped_moving": "{entity_name} ngừng di chuyển", + "entity_name_unplugged": "{entity_name} đã rút phích cắm", + "trigger_type_not_running": "{entity_name} is no longer running", + "entity_name_stopped_detecting_tampering": "{entity_name} ngừng phát hiện bị can thiệp", + "entity_name_became_safe": "{entity_name} trở nên an toàn", + "entity_name_became_occupied": "{entity_name} bị chiếm đóng", + "entity_name_plugged_in": "{entity_name} đã được cắm", + "entity_name_started_detecting_problem": "{entity_name} bắt đầu phát hiện sự cố", + "entity_name_started_running": "{entity_name} started running", + "entity_name_started_detecting_smoke": "{entity_name} bắt đầu phát hiện khói", + "entity_name_started_detecting_sound": "{entity_name} bắt đầu phát hiện âm thanh", + "entity_name_started_detecting_tampering": "{entity_name} bắt đầu phát hiện bị can thiệp", + "entity_name_turned_off": "{entity_name} đã tắt", + "entity_name_turned_on": "{entity_name} bật", + "entity_name_became_unsafe": "{entity_name} trở nên không an toàn", + "entity_name_started_detecting_vibration": "{entity_name} bắt đầu phát hiện rung động", + "entity_name_is_buffering": "{entity_name} is buffering", + "entity_name_is_idle": "{entity_name} đang nhàn rỗi", + "entity_name_is_paused": "{entity_name} bị tạm dừng", + "entity_name_is_playing": "{entity_name} đang phát", + "entity_name_starts_buffering": "{entity_name} starts buffering", + "trigger_type_changed_states": "{entity_name} bật hoặc tắt", + "entity_name_becomes_idle": "{entity_name} trở nên nhàn rỗi", + "entity_name_starts_playing": "{entity_name} bắt đầu phát", + "toggle_entity_name": "Bật/tắt {entity_name}", + "disarm_entity_name": "Tắt {entity_name}", + "turn_on_entity_name": "Bật {entity_name}", "arm_entity_name_away": "Bật {entity_name} đi vắng", "arm_entity_name_home": "Bật {entity_name} ở nhà", "arm_entity_name_night": "Bật {entity_name} ban đêm", @@ -2359,12 +2481,25 @@ "entity_name_armed_night": "{entity_name} bật ban đêm", "entity_name_armed_vacation": "{entity_name} bảo vệ đi nghỉ", "entity_name_disarmed": "{entity_name} tắt bảo vệ", + "entity_name_is_home": "{entity_name} có nhà", + "entity_name_is_not_home": "{entity_name} không có nhà", + "entity_name_enters_a_zone": "{entity_name} đi vào một vùng", + "entity_name_leaves_a_zone": "{entity_name} rời khỏi một vùng", + "lock_entity_name": "Khóa {entity_name}", + "unlock_entity_name": "Mở khóa {entity_name}", + "action_type_set_hvac_mode": "Thay đổi chế độ điều hòa trên {entity_name}", + "change_preset_on_entity_name": "Thay đổi giá trị cài sẵn trên {entity_name}", + "to": "To", + "entity_name_measured_humidity_changed": "Độ ẩm {entity_name} đo được đã thay đổi", + "entity_name_measured_temperature_changed": "Nhiệt độ {entity_name} đo được đã thay đổi", + "entity_name_hvac_mode_changed": "Chế độ điều hòa {entity_name} đã thay đổi", "current_entity_name_apparent_power": "Công suất biểu kiến {entity_name} hiện tại", "condition_type_is_aqi": "Current {entity_name} air quality index", "current_entity_name_atmospheric_pressure": "Current {entity_name} atmospheric pressure", "current_entity_name_battery_level": "Mức pin {entity_name} hiện tại", "condition_type_is_carbon_dioxide": "Mức nồng độ CO₂ hiện tại của {entity_name}", "condition_type_is_carbon_monoxide": "Mức nồng độ CO hiện tại của {entity_name}", + "current_entity_name_conductivity": "Current {entity_name} conductivity", "current_entity_name_current": "Dòng điện {entity_name} hiện tại", "current_entity_name_data_rate": "Current {entity_name} data rate", "current_entity_name_data_size": "Current {entity_name} data size", @@ -2410,6 +2545,7 @@ "entity_name_battery_level_changes": "{entity_name} thay đổi mức pin", "trigger_type_carbon_dioxide": "Nồng độ CO₂ của {entity_name} thay đổi", "trigger_type_carbon_monoxide": "Nồng độ CO của {entity_name} thay đổi", + "entity_name_conductivity_changes": "{entity_name} conductivity changes", "entity_name_current_changes": "Dòng điện {entity_name} thay đổi", "entity_name_data_rate_changes": "{entity_name} data rate changes", "entity_name_data_size_changes": "{entity_name} data size changes", @@ -2449,128 +2585,71 @@ "entity_name_water_changes": "{entity_name} water changes", "entity_name_weight_changes": "{entity_name} weight changes", "entity_name_wind_speed_changes": "{entity_name} wind speed changes", + "decrease_entity_name_brightness": "Giảm độ sáng {entity_name}", + "increase_entity_name_brightness": "Tăng độ sáng {entity_name}", + "flash_entity_name": "Flash {entity_name}", + "flash": "Flash", + "fifth_button": "Nút thứ năm", + "sixth_button": "Nút thứ sáu", + "subtype_continuously_pressed": "\"{subtype}\" được nhấn liên tục", + "trigger_type_button_long_release": "\"{subtype}\" được thả sau khi nhấn lâu", + "subtype_quadruple_clicked": "\"{subtype}\" được nhấn bốn lần", + "subtype_quintuple_clicked": "\"{subtype}\" được nhấn năm lần", + "subtype_pressed": "\"{subtype}\" được nhấn", + "subtype_released": "\"{subtype}\" được thả", + "action_type_select_first": "Change {entity_name} to first option", + "action_type_select_last": "Change {entity_name} to last option", + "action_type_select_next": "Change {entity_name} to next option", + "change_entity_name_option": "Thay đổi tùy chọn {entity_name}", + "action_type_select_previous": "Change {entity_name} to previous option", + "current_entity_name_selected_option": "Tùy chọn đã chọn {entity_name} hiện tại", + "cycle": "Cycle", + "from": "From", + "entity_name_option_changed": "Tùy chọn {entity_name} thay đổi", + "send_a_notification": "Send a notification", + "both_buttons": "Cả hai nút", + "bottom_buttons": "Nút ở dưới", + "seventh_button": "Nút thứ bảy", + "eighth_button": "Nút thứ tám", + "dim_down": "Giảm độ sáng", + "dim_up": "Tăng độ sáng", + "left": "Bên trái", + "right": "Bên phải", + "side": "Mặt 6", + "top_buttons": "Nút ở trên", + "device_awakened": "Đã đánh thức thiết bị", + "button_rotated_subtype": "Đã xoay nút \"{subtype}\"", + "button_rotated_fast_subtype": "Nút xoay nhanh \"{subtype}\"", + "button_rotation_subtype_stopped": "Đã dừng xoay nút \"{subtype}\"", + "device_subtype_double_tapped": "Thiết bị \"{subtype}\" được nhấn đúp", + "trigger_type_remote_double_tap_any_side": "Thiết bị bị chạm hai lần vào bất kỳ bên nào", + "device_in_free_fall": "Thiết bị rơi tự do", + "device_flipped_degrees": "Thiết bị bị lật 90 độ", + "device_shaken": "Thiết bị bị rung", + "trigger_type_remote_moved": "Thiết bị bị di chuyển với \"{subtype}\" hướng lên", + "trigger_type_remote_moved_any_side": "Thiết bị được di chuyển với bất kỳ mặt nào hướng lên trên", + "trigger_type_remote_rotate_from_side": "Thiết bị được xoay từ \"bên 6\" sang \"{subtype}\"", + "device_turned_clockwise": "Thiết bị bị quay theo chiều kim đồng hồ", + "device_turned_counter_clockwise": "Thiết bị bị quay ngược chiều kim đồng hồ", "press_entity_name_button": "Press {entity_name} button", "entity_name_has_been_pressed": "{entity_name} has been pressed", - "entity_name_battery_low": "{entity_name} pin yếu", - "entity_name_is_charging": "{entity_name} is charging", - "condition_type_is_co": "{entity_name} is detecting carbon monoxide", - "entity_name_is_cold": "{entity_name} lạnh", - "entity_name_is_connected": "{entity_name} được kết nối", - "entity_name_is_detecting_gas": "{entity_name} đang phát hiện khí đốt", - "entity_name_is_hot": "{entity_name} nóng", - "entity_name_is_detecting_light": "{entity_name} đang phát hiện ánh sáng", - "entity_name_is_locked": "{entity_name} bị khóa", - "entity_name_is_moist": "{entity_name} bị ẩm", - "entity_name_is_detecting_motion": "{entity_name} đang phát hiện chuyển động", - "entity_name_is_moving": "{entity_name} đang di chuyển", - "condition_type_is_no_co": "{entity_name} is not detecting carbon monoxide", - "condition_type_is_no_gas": "{entity_name} không phát hiện thấy khí đốt", - "condition_type_is_no_light": "{entity_name} không phát hiện thấy ánh sáng", - "condition_type_is_no_motion": "{entity_name} không phát hiện thấy chuyển động", - "condition_type_is_no_problem": "{entity_name} không phát hiện được sự cố", - "condition_type_is_no_smoke": "{entity_name} không phát hiện thấy khói", - "condition_type_is_no_sound": "{entity_name} không phát hiện âm thanh", - "condition_type_is_no_vibration": "{entity_name} không phát hiện thấy rung", - "entity_name_battery_normal": "{entity_name} pin bình thường", - "entity_name_is_not_charging": "{entity_name} is not charging", - "entity_name_is_not_cold": "{entity_name} không lạnh", - "entity_name_disconnected": "{entity_name} bị ngắt kết nối", - "entity_name_is_not_hot": "{entity_name} không nóng", - "entity_name_is_unlocked": "{entity_name} được mở khóa", - "entity_name_is_dry": "{entity_name} khô", - "entity_name_is_not_moving": "{entity_name} không di chuyển", - "entity_name_is_not_occupied": "{entity_name} không có người ở", - "entity_name_is_unplugged": "{entity_name} đã được rút phích cắm", - "entity_name_not_powered": "{entity_name} không được cấp nguồn", - "entity_name_not_present": "{entity_name} không có mặt", - "entity_name_is_not_running": "{entity_name} is not running", - "condition_type_is_not_tampered": "{entity_name} is not detecting tampering", - "entity_name_is_safe": "{entity_name} an toàn", - "entity_name_is_occupied": "{entity_name} có người ở", - "entity_name_is_plugged_in": "{entity_name} đã được cắm điện", - "entity_name_powered": "{entity_name} được cấp nguồn", - "entity_name_present": "{entity_name} có mặt", - "entity_name_is_detecting_problem": "{entity_name} đang phát hiện sự cố", - "entity_name_is_running": "{entity_name} is running", - "entity_name_is_detecting_smoke": "{entity_name} đang phát hiện khói", - "entity_name_is_detecting_sound": "{entity_name} đang phát hiện âm thanh", - "entity_name_is_detecting_tampering": "{entity_name} is detecting tampering", - "entity_name_is_unsafe": "{entity_name} không an toàn", - "trigger_type_update": "{entity_name} có sẵn bản cập nhật", - "entity_name_is_detecting_vibration": "{entity_name} đang phát hiện rung", - "entity_name_charging": "{entity_name} charging", - "trigger_type_co": "{entity_name} started detecting carbon monoxide", - "entity_name_became_cold": "{entity_name} trở nên lạnh", - "entity_name_connected": "{entity_name} đã kết nối", - "entity_name_started_detecting_gas": "{entity_name} bắt đầu phát hiện khí", - "entity_name_became_hot": "{entity_name} trở nên nóng", - "entity_name_started_detecting_light": "{entity_name} bắt đầu phát hiện ánh sáng", - "entity_name_locked": "{entity_name} đã khóa", - "entity_name_became_moist": "{entity_name} trở nên ẩm ướt", - "entity_name_started_detecting_motion": "{entity_name} bắt đầu phát hiện chuyển động", - "entity_name_started_moving": "{entity_name} bắt đầu di chuyển", - "trigger_type_no_co": "{entity_name} stopped detecting carbon monoxide", - "entity_name_stopped_detecting_gas": "{entity_name} ngừng phát hiện khí", - "entity_name_stopped_detecting_light": "{entity_name} ngừng phát hiện ánh sáng", - "entity_name_stopped_detecting_motion": "{entity_name} ngừng phát hiện chuyển động", - "entity_name_stopped_detecting_problem": "{entity_name} ngừng phát hiện sự cố", - "entity_name_stopped_detecting_smoke": "{entity_name} ngừng phát hiện khói", - "entity_name_stopped_detecting_sound": "{entity_name} ngừng phát hiện âm thanh", - "entity_name_stopped_detecting_vibration": "{entity_name} ngừng phát hiện rung động", - "entity_name_not_charging": "{entity_name} not charging", - "entity_name_became_not_cold": "{entity_name} trở nên không lạnh", - "entity_name_became_not_hot": "{entity_name} trở nên không nóng", - "entity_name_unlocked": "{entity_name} đã mở khóa", - "entity_name_became_dry": "{entity_name} trở nên khô", - "entity_name_stopped_moving": "{entity_name} ngừng di chuyển", - "entity_name_unplugged": "{entity_name} đã rút phích cắm", - "trigger_type_not_running": "{entity_name} is no longer running", - "entity_name_stopped_detecting_tampering": "{entity_name} ngừng phát hiện bị can thiệp", - "entity_name_became_safe": "{entity_name} trở nên an toàn", - "entity_name_became_occupied": "{entity_name} bị chiếm đóng", - "entity_name_plugged_in": "{entity_name} đã được cắm", - "entity_name_started_detecting_problem": "{entity_name} bắt đầu phát hiện sự cố", - "entity_name_started_running": "{entity_name} started running", - "entity_name_started_detecting_smoke": "{entity_name} bắt đầu phát hiện khói", - "entity_name_started_detecting_sound": "{entity_name} bắt đầu phát hiện âm thanh", - "entity_name_started_detecting_tampering": "{entity_name} bắt đầu phát hiện bị can thiệp", - "entity_name_became_unsafe": "{entity_name} trở nên không an toàn", - "entity_name_started_detecting_vibration": "{entity_name} bắt đầu phát hiện rung động", - "both_buttons": "Cả hai nút", - "bottom_buttons": "Nút ở dưới", - "seventh_button": "Nút thứ bảy", - "eighth_button": "Nút thứ tám", - "dim_down": "Giảm độ sáng", - "dim_up": "Tăng độ sáng", - "left": "Bên trái", - "right": "Bên phải", - "side": "Mặt 6", - "top_buttons": "Nút ở trên", - "device_awakened": "Đã đánh thức thiết bị", - "button_rotated_subtype": "Đã xoay nút \"{subtype}\"", - "button_rotated_fast_subtype": "Nút xoay nhanh \"{subtype}\"", - "button_rotation_subtype_stopped": "Đã dừng xoay nút \"{subtype}\"", - "device_subtype_double_tapped": "Thiết bị \"{subtype}\" được nhấn đúp", - "trigger_type_remote_double_tap_any_side": "Thiết bị bị chạm hai lần vào bất kỳ bên nào", - "device_in_free_fall": "Thiết bị rơi tự do", - "device_flipped_degrees": "Thiết bị bị lật 90 độ", - "device_shaken": "Thiết bị bị rung", - "trigger_type_remote_moved": "Thiết bị bị di chuyển với \"{subtype}\" hướng lên", - "trigger_type_remote_moved_any_side": "Thiết bị được di chuyển với bất kỳ mặt nào hướng lên trên", - "trigger_type_remote_rotate_from_side": "Thiết bị được xoay từ \"bên 6\" sang \"{subtype}\"", - "device_turned_clockwise": "Thiết bị bị quay theo chiều kim đồng hồ", - "device_turned_counter_clockwise": "Thiết bị bị quay ngược chiều kim đồng hồ", - "lock_entity_name": "Khóa {entity_name}", - "unlock_entity_name": "Mở khóa {entity_name}", - "critical": "Critical", - "debug": "Debug", - "info": "Info", - "warning": "Warning", + "entity_name_update_availability_changed": "{entity_name} update availability changed", + "trigger_type_turned_on": "{entity_name} got an update available", "add_to_queue": "Add to queue", "play_next": "Play next", "options_replace": "Play now and clear queue", "repeat_all": "Repeat all", "repeat_one": "Repeat one", + "critical": "Critical", + "debug": "Debug", + "info": "Info", + "warning": "Warning", + "most_recently_updated": "Cập nhật gần đây nhất", + "arithmetic_mean": "Trung bình số học", + "median": "Trung vị", + "product": "Sản phẩm", + "statistical_range": "Khoảng giá trị thống kê", + "standard_deviation": "Standard deviation", "alice_blue": "Alice blue", "antique_white": "Antique white", "aqua": "Aqua", @@ -2701,16 +2780,109 @@ "wheat": "Wheat", "white_smoke": "White smoke", "yellow_green": "Yellow green", + "fatal": "Fatal", "no_device_class": "Không có lớp thiết bị", "no_state_class": "Không có lớp trạng thái", "no_unit_of_measurement": "Không có đơn vị đo lường", - "fatal": "Fatal", - "most_recently_updated": "Cập nhật gần đây nhất", - "arithmetic_mean": "Trung bình số học", - "median": "Trung vị", - "product": "Sản phẩm", - "statistical_range": "Khoảng giá trị thống kê", - "standard_deviation": "Standard deviation", + "dump_log_objects": "Dump log objects", + "log_current_tasks_description": "Logs all the current asyncio tasks.", + "log_current_asyncio_tasks": "Log current asyncio tasks", + "log_event_loop_scheduled": "Log event loop scheduled", + "log_thread_frames_description": "Logs the current frames for all threads.", + "log_thread_frames": "Log thread frames", + "lru_stats_description": "Logs the stats of all lru caches.", + "log_lru_stats": "Log LRU stats", + "starts_the_memory_profiler": "Starts the Memory Profiler.", + "seconds": "Seconds", + "memory": "Memory", + "set_asyncio_debug_description": "Enable or disable asyncio debug.", + "enabled_description": "Whether to enable or disable asyncio debug.", + "set_asyncio_debug": "Set asyncio debug", + "starts_the_profiler": "Starts the Profiler.", + "max_objects_description": "The maximum number of objects to log.", + "maximum_objects": "Maximum objects", + "scan_interval_description": "The number of seconds between logging objects.", + "scan_interval": "Scan interval", + "start_logging_object_sources": "Start logging object sources", + "start_log_objects_description": "Starts logging growth of objects in memory.", + "start_logging_objects": "Start logging objects", + "stop_logging_object_sources": "Stop logging object sources", + "stop_log_objects_description": "Stops logging growth of objects in memory.", + "stop_logging_objects": "Stop logging objects", + "request_sync_description": "Sends a request_sync command to Google.", + "agent_user_id": "Agent user ID", + "request_sync": "Request sync", + "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "clears_all_log_entries": "Clears all log entries.", + "clear_all": "Clear all", + "write_log_entry": "Write log entry.", + "log_level": "Log level.", + "level": "Level", + "message_to_log": "Message to log.", + "write": "Write", + "set_value_description": "Sets the value of a number.", + "value_description": "Value for the configuration parameter.", + "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", + "toggles_the_siren_on_off": "Bật/tắt còi báo động.", + "turns_the_siren_off": "Tắt còi báo động.", + "turns_the_siren_on": "Bật còi báo động.", + "create_event_description": "Add a new calendar event.", + "location_description": "The location of the event. Optional.", + "start_date_description": "The date the all-day event should start.", + "create_event": "Create event", + "get_events": "Get events", + "list_event": "List event", + "closes_a_cover": "Closes a cover.", + "close_cover_tilt_description": "Tilts a cover to close.", + "close_tilt": "Close tilt", + "opens_a_cover": "Opens a cover.", + "tilts_a_cover_open": "Tilts a cover open.", + "open_tilt": "Open tilt", + "set_cover_position_description": "Moves a cover to a specific position.", + "target_position": "Target position.", + "set_position": "Set position", + "target_tilt_positition": "Target tilt positition.", + "set_tilt_position": "Set tilt position", + "stops_the_cover_movement": "Stops the cover movement.", + "stop_cover_tilt_description": "Stops a tilting cover movement.", + "stop_tilt": "Stop tilt", + "toggles_a_cover_open_closed": "Mở/đóng màn.", + "toggle_cover_tilt_description": "Mở/đóng màn nghiêng.", + "toggle_tilt": "Mở/đóng màn nghiêng", + "check_configuration": "Check configuration", + "reload_all": "Reload all", + "reload_config_entry_description": "Reloads the specified config entry.", + "config_entry_id": "Config entry ID", + "reload_config_entry": "Reload config entry", + "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", + "reload_core_configuration": "Reload core configuration", + "reload_custom_jinja_templates": "Tải lại các bản mẫu Jinja2 tùy chỉnh", + "restarts_home_assistant": "Restarts Home Assistant.", + "safe_mode_description": "Vô hiệu hóa bộ tích hợp tùy chỉnh và thẻ tùy chỉnh.", + "save_persistent_states": "Save persistent states", + "set_location_description": "Updates the Home Assistant location.", + "elevation_of_your_location": "Elevation of your location.", + "latitude_of_your_location": "Latitude of your location.", + "longitude_of_your_location": "Longitude of your location.", + "set_location": "Set location", + "stops_home_assistant": "Stops Home Assistant.", + "generic_toggle": "Bật/tắt chung", + "generic_turn_off": "Generic turn off", + "generic_turn_on": "Generic turn on", + "update_entity": "Update entity", + "creates_a_new_backup": "Creates a new backup.", + "decrement_description": "Decrements the current value by 1 step.", + "increment_description": "Increments the value by 1 step.", + "sets_the_value": "Sets the value.", + "the_target_value": "The target value.", + "reloads_the_automation_configuration": "Reloads the automation configuration.", + "toggle_description": "Bật/tắt trình phát đa phương tiện.", + "trigger_description": "Triggers the actions of an automation.", + "skip_conditions": "Skip conditions", + "disables_an_automation": "Disables an automation.", + "stops_currently_running_actions": "Stops currently running actions.", + "stop_actions": "Stop actions", + "enables_an_automation": "Enables an automation.", "restarts_an_add_on": "Restarts an add-on.", "the_add_on_slug": "The add-on slug.", "restart_add_on": "Restart add-on.", @@ -2745,121 +2917,63 @@ "restore_partial_description": "Restores from a partial backup.", "restores_home_assistant": "Restores Home Assistant.", "restore_from_partial_backup": "Restore from partial backup.", - "broadcast_address": "Broadcast address", - "broadcast_port_description": "Port where to send the magic packet.", - "broadcast_port": "Broadcast port", - "mac_address": "MAC address", - "send_magic_packet": "Send magic packet", - "command_description": "Command(s) to send to Google Assistant.", - "command": "Command", - "media_player_entity": "Media player entity", - "send_text_command": "Send text command", - "clear_tts_cache": "Clear TTS cache", - "cache": "Cache", - "entity_id_description": "Entity to reference in the logbook entry.", - "language_description": "Language of text. Defaults to server language.", - "options_description": "A dictionary containing integration-specific options.", - "say_a_tts_message": "Say a TTS message", - "media_player_entity_id_description": "Media players to play the message.", - "speak": "Speak", - "stops_a_running_script": "Stops a running script.", - "request_sync_description": "Sends a request_sync command to Google.", - "agent_user_id": "Agent user ID", - "request_sync": "Request sync", - "sets_a_random_effect": "Đặt hiệu ứng ngẫu nhiên.", - "sequence_description": "Danh sách các chuỗi HSV (Tối đa 16).", - "backgrounds": "Cảnh nền", - "initial_brightness": "Độ sáng ban đầu.", - "range_of_brightness": "Phạm vi độ sáng.", - "brightness_range": "Phạm vi độ sáng", - "fade_off": "Mờ dần", - "range_of_hue": "Phạm vi màu sắc.", - "hue_range": "Phạm vi màu sắc", - "initial_hsv_sequence": "Dãy HSV ban đầu.", - "initial_states": "Trạng thái ban đầu", - "random_seed": "Hạt giống ngẫu nhiên", - "range_of_saturation": "Phạm vi bão hòa.", - "saturation_range": "Phạm vi bão hòa", - "segments_description": "List of Segments (0 for all).", - "segments": "Segments", - "transition": "Transition", - "range_of_transition": "Phạm vi chuyển tiếp.", - "transition_range": "Phạm vi chuyển tiếp", - "random_effect": "Hiệu ứng ngẫu nhiên", - "sets_a_sequence_effect": "Sets a sequence effect.", - "repetitions_for_continuous": "Repetitions (0 for continuous).", - "repetitions": "Repetitions", - "sequence": "Sequence", - "speed_of_spread": "Speed of spread.", - "spread": "Spread", - "sequence_effect": "Sequence effect", - "check_configuration": "Check configuration", - "reload_all": "Reload all", - "reload_config_entry_description": "Reloads the specified config entry.", - "config_entry_id": "Config entry ID", - "reload_config_entry": "Reload config entry", - "reload_core_config_description": "Reloads the core configuration from the YAML-configuration.", - "reload_core_configuration": "Reload core configuration", - "reload_custom_jinja_templates": "Tải lại các bản mẫu Jinja2 tùy chỉnh", - "restarts_home_assistant": "Restarts Home Assistant.", - "safe_mode_description": "Vô hiệu hóa bộ tích hợp tùy chỉnh và thẻ tùy chỉnh.", - "save_persistent_states": "Save persistent states", - "set_location_description": "Updates the Home Assistant location.", - "elevation_of_your_location": "Elevation of your location.", - "latitude_of_your_location": "Latitude of your location.", - "longitude_of_your_location": "Longitude of your location.", - "set_location": "Set location", - "stops_home_assistant": "Stops Home Assistant.", - "generic_toggle": "Bật/tắt chung", - "generic_turn_off": "Generic turn off", - "generic_turn_on": "Generic turn on", - "update_entity": "Update entity", - "create_event_description": "Add a new calendar event.", - "location_description": "The location of the event. Optional.", - "start_date_description": "The date the all-day event should start.", - "create_event": "Create event", - "get_events": "Get events", - "list_event": "List event", - "toggles_a_switch_on_off": "Bật/tắt công tắc.", - "turns_a_switch_off": "Tắt công tắc.", - "turns_a_switch_on": "Bật công tắc.", - "disables_the_motion_detection": "Disables the motion detection.", - "disable_motion_detection": "Disable motion detection", - "enables_the_motion_detection": "Enables the motion detection.", - "enable_motion_detection": "Enable motion detection", - "format_description": "Stream format supported by the media player.", - "format": "Format", - "media_player_description": "Media players to stream to.", - "play_stream": "Play stream", - "filename": "Filename", - "lookback": "Lookback", - "snapshot_description": "Takes a snapshot from a camera.", - "take_snapshot": "Take snapshot", - "turns_off_the_camera": "Turns off the camera.", - "turns_on_the_camera": "Turns on the camera.", - "notify_description": "Sends a notification message to selected targets.", - "data": "Data", - "message_description": "Message body of the notification.", - "title_for_your_notification": "Title for your notification.", - "title_of_the_notification": "Title of the notification.", - "send_a_persistent_notification": "Send a persistent notification", - "sends_a_notification_message": "Sends a notification message.", - "your_notification_message": "Your notification message.", - "title_description": "Optional title of the notification.", - "send_a_notification_message": "Send a notification message", - "creates_a_new_backup": "Creates a new backup.", - "see_description": "Records a seen tracked device.", - "battery_description": "Battery level of the device.", - "gps_coordinates": "GPS coordinates", - "gps_accuracy_description": "Accuracy of the GPS coordinates.", - "hostname_of_the_device": "Hostname of the device.", - "hostname": "Hostname", - "mac_description": "MAC address of the device.", - "see": "See", - "log_description": "Creates a custom entry in the logbook.", - "log": "Log", + "clears_the_playlist": "Clears the playlist.", + "clear_playlist": "Clear playlist", + "selects_the_next_track": "Selects the next track.", + "pauses": "Pauses.", + "starts_playing": "Starts playing.", + "toggles_play_pause": "Phát/tạm dừng", + "selects_the_previous_track": "Selects the previous track.", + "seek": "Seek", + "stops_playing": "Stops playing.", + "starts_playing_specified_media": "Starts playing specified media.", + "announce": "Announce", + "enqueue": "Enqueue", + "repeat_mode_to_set": "Repeat mode to set.", + "select_sound_mode_description": "Selects a specific sound mode.", + "select_sound_mode": "Select sound mode", + "select_source": "Select source", + "shuffle_description": "Whether or not shuffle mode is enabled.", + "unjoin": "Unjoin", + "turns_down_the_volume": "Turns down the volume.", + "turn_down_volume": "Turn down volume", + "volume_mute_description": "Mutes or unmutes the media player.", + "is_volume_muted_description": "Defines whether or not it is muted.", + "mute_unmute_volume": "Mute/unmute volume", + "sets_the_volume_level": "Sets the volume level.", + "set_volume": "Set volume", + "turns_up_the_volume": "Turns up the volume.", + "turn_up_volume": "Turn up volume", + "apply_filter": "Apply filter", + "days_to_keep": "Days to keep", + "repack": "Repack", + "purge": "Purge", + "domains_to_remove": "Domains to remove", + "entity_globs_to_remove": "Entity globs to remove", + "entities_to_remove": "Entities to remove", + "purge_entities": "Purge entities", + "decrease_speed_description": "Decreases the speed of the fan.", + "percentage_step_description": "Increases the speed by a percentage step.", + "decrease_speed": "Decrease speed", + "increase_speed_description": "Increases the speed of the fan.", + "increase_speed": "Increase speed", + "oscillate_description": "Controls oscillatation of the fan.", + "turn_on_off_oscillation": "Turn on/off oscillation.", + "set_direction_description": "Sets the fan rotation direction.", + "direction_to_rotate": "Direction to rotate.", + "set_direction": "Set direction", + "sets_the_fan_speed": "Sets the fan speed.", + "speed_of_the_fan": "Speed of the fan.", + "percentage": "Percentage", + "set_speed": "Set speed", + "sets_preset_mode": "Đặt chế độ cài sẵn.", + "set_preset_mode": "Đặt chế độ cài sẵn", + "toggles_the_fan_on_off": "Bật/tắt quạt.", + "turns_fan_off": "Turns fan off.", + "turns_fan_on": "Turns fan on.", "apply_description": "Kích hoạt một cảnh có cấu hình.", "entities_description": "Danh sách các thực thể và trạng thái mục tiêu của chúng.", + "transition": "Transition", "apply": "Áp dụng", "creates_a_new_scene": "Tạo cảnh mới.", "scene_id_description": "ID thực thể của cảnh mới.", @@ -2867,6 +2981,122 @@ "snapshot_entities": "Thực thể ảnh chụp nhanh", "delete_description": "Deletes a dynamically created scene.", "activates_a_scene": "Kích hoạt một cảnh.", + "selects_the_first_option": "Selects the first option.", + "first": "First", + "selects_the_last_option": "Selects the last option.", + "select_the_next_option": "Select the next option.", + "selects_an_option": "Selects an option.", + "option_to_be_selected": "Option to be selected.", + "selects_the_previous_option": "Selects the previous option.", + "sets_the_options": "Sets the options.", + "list_of_options": "List of options.", + "set_options": "Set options", + "closes_a_valve": "Closes a valve.", + "opens_a_valve": "Opens a valve.", + "set_valve_position_description": "Moves a valve to a specific position.", + "stops_the_valve_movement": "Stops the valve movement.", + "toggles_a_valve_open_closed": "Toggles a valve open/closed.", + "load_url_description": "Loads a URL on Fully Kiosk Browser.", + "url_to_load": "URL to load.", + "load_url": "Load URL", + "configuration_parameter_to_set": "Configuration parameter to set.", + "key": "Key", + "set_configuration": "Set Configuration", + "application_description": "Package name of the application to start.", + "application": "Application", + "start_application": "Start Application", + "command_description": "Command(s) to send to Google Assistant.", + "command": "Command", + "media_player_entity": "Media player entity", + "send_text_command": "Send text command", + "code_description": "Code used to unlock the lock.", + "arm_with_custom_bypass": "Bảo vệ và cho phép bỏ qua tùy chỉnh", + "alarm_arm_vacation_description": "Đặt báo động thành: _đã bật bảo vệ cho kỳ nghỉ_.", + "disarms_the_alarm": "Tắt báo động.", + "alarm_trigger_description": "Cho phép kích hoạt cảnh báo bên ngoài.", + "extract_media_url_description": "Extract media URL from a service.", + "format_query": "Format query", + "url_description": "URL where the media can be found.", + "media_url": "Media URL", + "get_media_url": "Get Media URL", + "play_media_description": "Downloads file from given URL.", + "sets_a_random_effect": "Đặt hiệu ứng ngẫu nhiên.", + "sequence_description": "Danh sách các chuỗi HSV (Tối đa 16).", + "backgrounds": "Cảnh nền", + "initial_brightness": "Độ sáng ban đầu.", + "range_of_brightness": "Phạm vi độ sáng.", + "brightness_range": "Phạm vi độ sáng", + "fade_off": "Mờ dần", + "range_of_hue": "Phạm vi màu sắc.", + "hue_range": "Phạm vi màu sắc", + "initial_hsv_sequence": "Dãy HSV ban đầu.", + "initial_states": "Trạng thái ban đầu", + "random_seed": "Hạt giống ngẫu nhiên", + "range_of_saturation": "Phạm vi bão hòa.", + "saturation_range": "Phạm vi bão hòa", + "segments_description": "List of Segments (0 for all).", + "segments": "Segments", + "range_of_transition": "Phạm vi chuyển tiếp.", + "transition_range": "Phạm vi chuyển tiếp", + "random_effect": "Hiệu ứng ngẫu nhiên", + "sets_a_sequence_effect": "Sets a sequence effect.", + "repetitions_for_continuous": "Repetitions (0 for continuous).", + "repetitions": "Repetitions", + "sequence": "Sequence", + "speed_of_spread": "Speed of spread.", + "spread": "Spread", + "sequence_effect": "Sequence effect", + "press_the_button_entity": "Press the button entity.", + "see_description": "Records a seen tracked device.", + "battery_description": "Battery level of the device.", + "gps_coordinates": "GPS coordinates", + "gps_accuracy_description": "Accuracy of the GPS coordinates.", + "hostname_of_the_device": "Hostname of the device.", + "hostname": "Hostname", + "mac_description": "MAC address of the device.", + "mac_address": "MAC address", + "see": "See", + "process_description": "Launches a conversation from a transcribed text.", + "agent": "Agent", + "conversation_id": "Conversation ID", + "language_description": "Language to use for speech generation.", + "transcribed_text_input": "Transcribed text input.", + "process": "Process", + "reloads_the_intent_configuration": "Reloads the intent configuration.", + "conversation_agent_to_reload": "Conversation agent to reload.", + "create_description": "Shows a notification on the **Notifications** panel.", + "message_description": "Message of the logbook entry.", + "notification_id": "Notification ID", + "title_description": "Title for your notification message.", + "dismiss_description": "Removes a notification from the **Notifications** panel.", + "notification_id_description": "ID of the notification to be removed.", + "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", + "notify_description": "Sends a notification message to selected targets.", + "data": "Data", + "title_for_your_notification": "Title for your notification.", + "title_of_the_notification": "Title of the notification.", + "send_a_persistent_notification": "Send a persistent notification", + "sends_a_notification_message": "Sends a notification message.", + "your_notification_message": "Your notification message.", + "send_a_notification_message": "Send a notification message", + "device_description": "Device ID to send command to.", + "delete_command": "Delete command", + "alternative": "Alternative", + "command_type_description": "The type of command to be learned.", + "command_type": "Command type", + "timeout_description": "Timeout for the command to be learned.", + "learn_command": "Learn command", + "delay_seconds": "Delay seconds", + "hold_seconds": "Hold seconds", + "repeats": "Repeats", + "send_command": "Send command", + "toggles_a_device_on_off": "Bật/tắt một thiết bị.", + "turns_the_device_off": "Turns the device off.", + "turn_on_description": "Sends the power on command.", + "stops_a_running_script": "Stops a running script.", + "locks_a_lock": "Locks a lock.", + "opens_a_lock": "Opens a lock.", + "unlocks_a_lock": "Unlocks a lock.", "turns_auxiliary_heater_on_off": "Bật/tắt bộ sưởi phụ.", "aux_heat_description": "Giá trị mới của bộ sưởi phụ.", "auxiliary_heating": "Sưởi phụ trợ", @@ -2879,8 +3109,6 @@ "sets_hvac_operation_mode": "Đặt chế độ hoạt động điều hòa.", "hvac_operation_mode": "Chế độ hoạt động điều hòa.", "set_hvac_mode": "Đặt chế độ điều hòa", - "sets_preset_mode": "Đặt chế độ cài sẵn.", - "set_preset_mode": "Đặt chế độ cài sẵn", "sets_swing_operation_mode": "Đặt chế độ hoạt động xoay.", "swing_operation_mode": "Chế độ hoạt động xoay.", "set_swing_mode": "Đặt chế độ xoay", @@ -2892,74 +3120,25 @@ "set_target_temperature": "Đặt nhiệt độ mục tiêu", "turns_climate_device_off": "Tắt thiết bị điều hòa.", "turns_climate_device_on": "Bật thiết bị điều hòa.", - "clears_all_log_entries": "Clears all log entries.", - "clear_all": "Clear all", - "write_log_entry": "Write log entry.", - "log_level": "Log level.", - "level": "Level", - "message_to_log": "Message to log.", - "write": "Write", - "device_description": "Device ID to send command to.", - "delete_command": "Delete command", - "alternative": "Alternative", - "command_type_description": "The type of command to be learned.", - "command_type": "Command type", - "timeout_description": "Timeout for the command to be learned.", - "learn_command": "Learn command", - "delay_seconds": "Delay seconds", - "hold_seconds": "Hold seconds", - "repeats": "Repeats", - "send_command": "Send command", - "toggles_a_device_on_off": "Bật/tắt một thiết bị.", - "turns_the_device_off": "Turns the device off.", - "turn_on_description": "Sends the power on command.", - "clears_the_playlist": "Clears the playlist.", - "clear_playlist": "Clear playlist", - "selects_the_next_track": "Selects the next track.", - "pauses": "Pauses.", - "starts_playing": "Starts playing.", - "toggles_play_pause": "Phát/tạm dừng", - "selects_the_previous_track": "Selects the previous track.", - "seek": "Seek", - "stops_playing": "Stops playing.", - "starts_playing_specified_media": "Starts playing specified media.", - "announce": "Announce", - "enqueue": "Enqueue", - "repeat_mode_to_set": "Repeat mode to set.", - "select_sound_mode_description": "Selects a specific sound mode.", - "select_sound_mode": "Select sound mode", - "select_source": "Select source", - "shuffle_description": "Whether or not shuffle mode is enabled.", - "toggle_description": "Chuyển đổi (kích hoạt/vô hiệu hóa) tự động hóa.", - "unjoin": "Unjoin", - "turns_down_the_volume": "Turns down the volume.", - "turn_down_volume": "Turn down volume", - "volume_mute_description": "Mutes or unmutes the media player.", - "is_volume_muted_description": "Defines whether or not it is muted.", - "mute_unmute_volume": "Mute/unmute volume", - "sets_the_volume_level": "Sets the volume level.", - "set_volume": "Set volume", - "turns_up_the_volume": "Turns up the volume.", - "turn_up_volume": "Turn up volume", - "topic_to_listen_to": "Chủ đề để nghe.", - "export": "Xuất khẩu", - "publish_description": "Xuất bản một tin nhắn đến một chủ đề MQTT.", - "the_payload_to_publish": "Phụ tải cần xuất bản.", - "payload": "Phụ tải", - "payload_template": "Bản mẫu phụ tải", - "qos": "QoS", - "retain": "Giữ lại", - "topic_to_publish_to": "Chủ đề để xuất bản.", - "publish": "Xuất bản", + "add_event_description": "Adds a new calendar event.", + "calendar_id_description": "The id of the calendar you want.", + "calendar_id": "Calendar ID", + "description_description": "The description of the event. Optional.", + "summary_description": "Acts as the title of the event.", + "creates_event": "Creates event", + "dashboard_path": "Dashboard path", + "view_path": "View path", + "show_dashboard_view": "Show dashboard view", "brightness_value": "Brightness value", "a_human_readable_color_name": "A human-readable color name.", "color_name": "Color name", "color_temperature_in_mireds": "Color temperature in mireds.", "light_effect": "Light effect.", - "flash": "Flash", "hue_sat_color": "Hue/Sat color", "color_temperature_in_kelvin": "Color temperature in Kelvin.", "profile_description": "Name of a light profile to use.", + "rgbw_color": "RGBW-color", + "rgbww_color": "RGBWW-color", "white_description": "Set the light to white mode.", "xy_color": "XY-color", "turn_off_description": "Turn off one or more lights.", @@ -2967,184 +3146,73 @@ "brightness_step_value": "Brightness step value", "brightness_step_pct_description": "Change brightness by a percentage.", "brightness_step": "Brightness step", - "rgbw_color": "RGBW-color", - "rgbww_color": "RGBWW-color", - "reloads_the_automation_configuration": "Reloads the automation configuration.", - "trigger_description": "Triggers the actions of an automation.", - "skip_conditions": "Skip conditions", - "disables_an_automation": "Disables an automation.", - "stops_currently_running_actions": "Stops currently running actions.", - "stop_actions": "Stop actions", - "enables_an_automation": "Enables an automation.", - "dashboard_path": "Dashboard path", - "view_path": "View path", - "show_dashboard_view": "Show dashboard view", - "toggles_the_siren_on_off": "Bật/tắt còi báo động.", - "turns_the_siren_off": "Tắt còi báo động.", - "turns_the_siren_on": "Bật còi báo động.", - "extract_media_url_description": "Extract media url from a service.", - "format_query": "Format query", - "url_description": "URL where the media can be found.", - "media_url": "Media URL", - "get_media_url": "Get Media URL", - "play_media_description": "Downloads file from given URL.", - "removes_a_group": "Xóa một nhóm", - "object_id": "ID đối tượng", - "creates_updates_a_user_group": "Tạo/Cập nhật một nhóm người dùng.", - "add_entities": "Thêm thực thể", - "icon_description": "Tên biểu tượng của nhóm", - "name_of_the_group": "Tên của nhóm.", - "selects_the_first_option": "Selects the first option.", - "first": "First", - "selects_the_last_option": "Selects the last option.", + "topic_to_listen_to": "Chủ đề để nghe.", + "export": "Xuất khẩu", + "publish_description": "Xuất bản một tin nhắn đến một chủ đề MQTT.", + "the_payload_to_publish": "Phụ tải cần xuất bản.", + "payload": "Phụ tải", + "payload_template": "Bản mẫu phụ tải", + "qos": "QoS", + "retain": "Giữ lại", + "topic_to_publish_to": "Chủ đề để xuất bản.", + "publish": "Xuất bản", "selects_the_next_option": "Selects the next option.", - "cycle": "Cycle", - "selects_an_option": "Selects an option.", - "option_to_be_selected": "Option to be selected.", - "selects_the_previous_option": "Selects the previous option.", - "create_description": "Shows a notification on the **Notifications** panel.", - "notification_id": "Notification ID", - "dismiss_description": "Removes a notification from the **Notifications** panel.", - "notification_id_description": "ID of the notification to be removed.", - "dismiss_all_description": "Removes all notifications from the **Notifications** panel.", - "cancels_a_timer": "Cancels a timer.", - "changes_a_timer": "Changes a timer.", - "finishes_a_timer": "Finishes a timer.", - "pauses_a_timer": "Pauses a timer.", - "starts_a_timer": "Starts a timer.", - "duration_description": "Duration the timer requires to finish. [optional].", - "select_the_next_option": "Select the next option.", - "sets_the_options": "Sets the options.", - "list_of_options": "List of options.", - "set_options": "Set options", - "clear_skipped_update": "Clear skipped update", - "install_update": "Install update", - "skip_description": "Marks currently available update as skipped.", - "skip_update": "Skip update", - "set_default_level_description": "Sets the default log level for integrations.", - "level_description": "Default severity level for all integrations.", - "set_default_level": "Set default level", - "set_level": "Set level", - "create_temporary_strict_connection_url_name": "Create a temporary strict connection URL", - "remote_connect": "Remote connect", - "remote_disconnect": "Remote disconnect", - "set_value_description": "Sets the value of a number.", - "value_description": "Value for the configuration parameter.", - "value": "Value", - "closes_a_cover": "Closes a cover.", - "close_cover_tilt_description": "Tilts a cover to close.", - "close_tilt": "Close tilt", - "opens_a_cover": "Opens a cover.", - "tilts_a_cover_open": "Tilts a cover open.", - "open_tilt": "Open tilt", - "set_cover_position_description": "Moves a cover to a specific position.", - "target_position": "Target position.", - "set_position": "Set position", - "target_tilt_positition": "Target tilt positition.", - "set_tilt_position": "Set tilt position", - "stops_the_cover_movement": "Stops the cover movement.", - "stop_cover_tilt_description": "Stops a tilting cover movement.", - "stop_tilt": "Stop tilt", - "toggles_a_cover_open_closed": "Mở/đóng màn.", - "toggle_cover_tilt_description": "Mở/đóng màn nghiêng.", - "toggle_tilt": "Mở/đóng màn nghiêng", - "toggles_the_helper_on_off": "Bật/tắt biến trợ giúp.", - "turns_off_the_helper": "Tắt biến trợ giúp.", - "turns_on_the_helper": "Bật biến trợ giúp.", - "decrement_description": "Decrements the current value by 1 step.", - "increment_description": "Increments the value by 1 step.", - "sets_the_value": "Sets the value.", - "the_target_value": "The target value.", - "dump_log_objects": "Dump log objects", - "log_current_tasks_description": "Logs all the current asyncio tasks.", - "log_current_asyncio_tasks": "Log current asyncio tasks", - "log_event_loop_scheduled": "Log event loop scheduled", - "log_thread_frames_description": "Logs the current frames for all threads.", - "log_thread_frames": "Log thread frames", - "lru_stats_description": "Logs the stats of all lru caches.", - "log_lru_stats": "Log LRU stats", - "starts_the_memory_profiler": "Starts the Memory Profiler.", - "seconds": "Seconds", - "memory": "Memory", - "set_asyncio_debug_description": "Enable or disable asyncio debug.", - "enabled_description": "Whether to enable or disable asyncio debug.", - "set_asyncio_debug": "Set asyncio debug", - "starts_the_profiler": "Starts the Profiler.", - "max_objects_description": "The maximum number of objects to log.", - "maximum_objects": "Maximum objects", - "scan_interval_description": "The number of seconds between logging objects.", - "scan_interval": "Scan interval", - "start_logging_object_sources": "Start logging object sources", - "start_log_objects_description": "Starts logging growth of objects in memory.", - "start_logging_objects": "Start logging objects", - "stop_logging_object_sources": "Stop logging object sources", - "stop_log_objects_description": "Stops logging growth of objects in memory.", - "stop_logging_objects": "Stop logging objects", - "process_description": "Launches a conversation from a transcribed text.", - "agent": "Agent", - "conversation_id": "Conversation ID", - "transcribed_text_input": "Transcribed text input.", - "process": "Process", - "reloads_the_intent_configuration": "Reloads the intent configuration.", - "conversation_agent_to_reload": "Conversation agent to reload.", - "apply_filter": "Apply filter", - "days_to_keep": "Days to keep", - "repack": "Repack", - "purge": "Purge", - "domains_to_remove": "Domains to remove", - "entity_globs_to_remove": "Entity globs to remove", - "entities_to_remove": "Entities to remove", - "purge_entities": "Purge entities", - "reload_resources_description": "Reloads dashboard resources from the YAML-configuration.", + "ptz_move_description": "Move the camera with a specific speed.", + "ptz_move_speed": "PTZ move speed.", + "ptz_move": "PTZ move", + "log_description": "Creates a custom entry in the logbook.", + "entity_id_description": "Media players to play the message.", + "log": "Log", + "toggles_a_switch_on_off": "Bật/tắt công tắc.", + "turns_a_switch_off": "Tắt công tắc.", + "turns_a_switch_on": "Bật công tắc.", "reload_themes_description": "Reloads themes from the YAML-configuration.", "reload_themes": "Reload themes", "name_of_a_theme": "Name of a theme.", "set_the_default_theme": "Set the default theme", + "toggles_the_helper_on_off": "Bật/tắt biến trợ giúp.", + "turns_off_the_helper": "Tắt biến trợ giúp.", + "turns_on_the_helper": "Bật biến trợ giúp.", "decrements_a_counter": "Decrements a counter.", "increments_a_counter": "Increments a counter.", "resets_a_counter": "Resets a counter.", "sets_the_counter_value": "Sets the counter value.", - "code_description": "Code used to unlock the lock.", - "arm_with_custom_bypass": "Bảo vệ và cho phép bỏ qua tùy chỉnh", - "alarm_arm_vacation_description": "Đặt báo động thành: _đã bật bảo vệ cho kỳ nghỉ_.", - "disarms_the_alarm": "Tắt báo động.", - "alarm_trigger_description": "Cho phép kích hoạt cảnh báo bên ngoài.", + "remote_connect": "Remote connect", + "remote_disconnect": "Remote disconnect", "get_weather_forecast": "Nhận dự báo thời tiết.", "type_description": "Loại dự báo: hàng ngày, hàng giờ hoặc hai lần mỗi ngày.", "forecast_type": "Loại dự báo", "get_forecast": "Nhận dự báo", "get_weather_forecasts": "Get weather forecasts.", "get_forecasts": "Get forecasts", - "load_url_description": "Loads a URL on Fully Kiosk Browser.", - "url_to_load": "URL to load.", - "load_url": "Load URL", - "configuration_parameter_to_set": "Configuration parameter to set.", - "key": "Key", - "set_configuration": "Set Configuration", - "application_description": "Package name of the application to start.", - "application": "Application", - "start_application": "Start Application", - "decrease_speed_description": "Decreases the speed of the fan.", - "percentage_step_description": "Increases the speed by a percentage step.", - "decrease_speed": "Decrease speed", - "increase_speed_description": "Increases the speed of the fan.", - "increase_speed": "Increase speed", - "oscillate_description": "Controls oscillatation of the fan.", - "turn_on_off_oscillation": "Turn on/off oscillation.", - "set_direction_description": "Sets the fan rotation direction.", - "direction_to_rotate": "Direction to rotate.", - "set_direction": "Set direction", - "sets_the_fan_speed": "Sets the fan speed.", - "speed_of_the_fan": "Speed of the fan.", - "percentage": "Percentage", - "set_speed": "Set speed", - "toggles_the_fan_on_off": "Bật/tắt quạt.", - "turns_fan_off": "Turns fan off.", - "turns_fan_on": "Turns fan on.", - "locks_a_lock": "Locks a lock.", - "opens_a_lock": "Opens a lock.", - "unlocks_a_lock": "Unlocks a lock.", - "press_the_button_entity": "Press the button entity.", + "disables_the_motion_detection": "Disables the motion detection.", + "disable_motion_detection": "Disable motion detection", + "enables_the_motion_detection": "Enables the motion detection.", + "enable_motion_detection": "Enable motion detection", + "format_description": "Stream format supported by the media player.", + "format": "Format", + "media_player_description": "Media players to stream to.", + "play_stream": "Play stream", + "filename": "Filename", + "lookback": "Lookback", + "snapshot_description": "Takes a snapshot from a camera.", + "take_snapshot": "Take snapshot", + "turns_off_the_camera": "Turns off the camera.", + "turns_on_the_camera": "Turns on the camera.", + "clear_tts_cache": "Clear TTS cache", + "cache": "Cache", + "options_description": "A dictionary containing integration-specific options.", + "say_a_tts_message": "Say a TTS message", + "speak": "Speak", + "broadcast_address": "Broadcast address", + "broadcast_port_description": "Port where to send the magic packet.", + "broadcast_port": "Broadcast port", + "send_magic_packet": "Send magic packet", + "set_datetime_description": "Sets the date and/or time.", + "the_target_date": "The target date.", + "datetime_description": "The target date & time.", + "date_time": "Date & time", + "the_target_time": "The target time.", "bridge_identifier": "Bridge identifier", "configuration_payload": "Configuration payload", "entity_description": "Đại diện cho một điểm cuối thiết bị cụ thể trong deCONZ.", @@ -3153,23 +3221,24 @@ "device_refresh_description": "Refreshes available devices from deCONZ.", "device_refresh": "Device refresh", "remove_orphaned_entries": "Remove orphaned entries", - "closes_a_valve": "Closes a valve.", - "opens_a_valve": "Opens a valve.", - "set_valve_position_description": "Moves a valve to a specific position.", - "stops_the_valve_movement": "Stops the valve movement.", - "toggles_a_valve_open_closed": "Toggles a valve open/closed.", - "add_event_description": "Adds a new calendar event.", - "calendar_id_description": "The id of the calendar you want.", - "calendar_id": "Calendar ID", - "description_description": "The description of the event. Optional.", - "summary_description": "Acts as the title of the event.", - "creates_event": "Creates event", - "ptz_move_description": "Move the camera with a specific speed.", - "ptz_move_speed": "PTZ move speed.", - "ptz_move": "PTZ move", - "set_datetime_description": "Sets the date and/or time.", - "the_target_date": "The target date.", - "datetime_description": "The target date & time.", - "date_time": "Date & time", - "the_target_time": "The target time." + "removes_a_group": "Xóa một nhóm", + "object_id": "ID đối tượng", + "creates_updates_a_user_group": "Tạo/Cập nhật một nhóm người dùng.", + "add_entities": "Thêm thực thể", + "icon_description": "Tên biểu tượng của nhóm", + "name_of_the_group": "Tên của nhóm.", + "cancels_a_timer": "Cancels a timer.", + "changes_a_timer": "Changes a timer.", + "finishes_a_timer": "Finishes a timer.", + "pauses_a_timer": "Pauses a timer.", + "starts_a_timer": "Starts a timer.", + "duration_description": "Duration the timer requires to finish. [optional].", + "set_default_level_description": "Sets the default log level for integrations.", + "level_description": "Default severity level for all integrations.", + "set_default_level": "Set default level", + "set_level": "Set level", + "clear_skipped_update": "Clear skipped update", + "install_update": "Install update", + "skip_description": "Marks currently available update as skipped.", + "skip_update": "Skip update" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json b/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json index b20709d..72816ac 100644 --- a/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json +++ b/packages/core/src/hooks/useLocale/locales/zh-Hans/zh-Hans.json @@ -10,7 +10,7 @@ "to_do_list": "待办事项清单", "developer_tools": "开发者工具", "media": "媒体", - "preset": "预设", + "profile": "配置文件", "panel_shopping_list": "购物清单", "unk": "未知", "unavai": "不可用", @@ -36,7 +36,7 @@ "toggle": "切换", "code": "密码", "clear": "未触发", - "arm": "布防", + "arm": "警戒", "arm_home": "在家布防", "arm_away": "离家布防", "arm_night": "夜间布防", @@ -54,13 +54,14 @@ "image_not_available": "无图像", "currently": "当前", "on_off": "开/关", - "name_target_temperature": "{name}设定温度", - "name_target_temperature_mode": "{name}设定温度{mode}", - "name_current_temperature": "{name}当前温度", - "name_heating": "{name}制热", - "name_cooling": "{name}製冷", + "name_target_temperature": "{name} 目标温度", + "name_target_temperature_mode": "{name} 目标温度 {mode}", + "name_current_temperature": "{name} 当前温度", + "name_heating": "{name} 制热", + "name_cooling": "{name} 制冷", "high": "高", "low": "低", + "preset": "预设", "action_to_target": "{action}到目标", "target": "目标", "humidity_target": "湿度目标", @@ -71,8 +72,8 @@ "tilt_position": "倾斜位置", "open_cover": "打开窗帘", "close_cover": "关闭窗帘", - "open_cover_tilt": "旋开卷帘", - "close_cover_tilt": "旋闭卷帘", + "open_cover_tilt": "打开百叶", + "close_cover_tilt": "关闭百叶", "stop_cover": "停止窗帘移动", "preset_mode": "预设模式", "oscillate": "摇头", @@ -100,8 +101,9 @@ "lock": "锁定", "unlock": "解锁", "open_door": "开门", - "really_open": "真的打开吗 ?", - "door_open": "门打开了", + "really_open": "确认打开吗?", + "done": "完成", + "ui_card_lock_open_door_success": "门打开了", "source": "输入源", "sound_mode": "声音模式", "browse_media": "浏览媒体", @@ -131,8 +133,8 @@ "option": "选项", "installing": "正在安装", "installing_progress": "正在安装 ({progress}%)", - "up_to_date": "已是最新", - "empty_value": "(空值)", + "up_to_date": "最新", + "empty_value": "(空值)", "start": "开始", "end": "结束", "resume_cleaning": "恢复清扫", @@ -178,8 +180,9 @@ "loading": "加载中…", "refresh": "刷新", "delete": "删除", + "delete_all": "删除全部", "download": "下载", - "duplicate": "复刻", + "duplicate": "重制", "remove": "移除", "enable": "启用", "disable": "禁用", @@ -219,6 +222,9 @@ "media_content_type": "媒体内容类型", "upload_failed": "上传失败", "unknown_file": "未知文件", + "select_image": "选择图像", + "upload_picture": "上传图片", + "image_url": "本地路径或 Web 网址", "latitude": "纬度", "longitude": "经度", "radius": "半径", @@ -232,6 +238,7 @@ "date_time": "日期和时间", "duration": "时长", "entity": "实体", + "floor": "楼层", "icon": "图标", "number": "数值", "object": "对象", @@ -266,6 +273,7 @@ "opened": "已打开", "closed": "已关闭", "is_opening": "正在打开", + "is_opened": "被打开", "closing": "正在关闭", "unlocked": "已解锁", "locked": "已锁定", @@ -277,15 +285,15 @@ "unsafe": "不安全", "safe": "安全", "detected_device_class": "检测到{device_class}", - "cleared_no_device_class_detected": "未触发(未检测到{device_class})", + "cleared_no_device_class_detected": "未检测到{device_class}", "turned_on": "已开启", - "changed_to_state": "=> {state}", + "changed_to_state": "变为 {state}", "became_unavailable": "不再可用", - "became_unknown": "转为 未知", - "detected_tampering": "检测到自身被拆解", - "cleared_tampering": "未检测到自身被拆解", + "became_unknown": "变为 未知", + "detected_tampering": "检测到被拆解", + "cleared_tampering": "未检测到被拆解", "event_type_event_detected": "检测到 {event_type} 事件", - "detected_an_event": "检测到一个事件", + "detected_an_event": "检测到事件", "detected_an_unknown_event": "检测到未知事件", "entity_picker_no_entities": "您还没有实体", "no_matching_entities_found": "未找到相关实体", @@ -296,9 +304,9 @@ "target_picker_expand_floor_id": "将此楼层分成不同的区域。", "target_picker_expand_device_id": "将此设备拆分为多个独立实体。", "remove_floor": "删除楼层", - "remove_area": "移除区域", - "remove_device": "移除设备", - "remove_entity": "移除实体", + "remove_area": "删除区域", + "remove_device": "删除设备", + "remove_entity": "删除实体", "remove_label": "删除标签", "choose_area": "选择区域", "choose_device": "选择设备", @@ -310,13 +318,16 @@ "close_filters": "关闭筛选条件", "exit_selection_mode": "退出选择模式", "enter_selection_mode": "进入选择模式", - "sort_by_sortcolumn": "按 {sortColumn} 排序", - "group_by_groupcolumn": "按 {groupColumn} 分组", + "sort_by_sortcolumn": "排序方式 {sortColumn}", + "group_by_groupcolumn": "分组方式 {groupColumn}", "don_t_group": "不分组", - "selected_selected": "已选择 {selected}", + "collapse_all": "全部折叠", + "expand_all": "全部展开", + "selected_selected": "已选择 {selected} 项", "close_selection_mode": "关闭选择模式", "select_all": "全选", "select_none": "不选择", + "customize_table": "自定义表格", "conversation_agent": "对话代理", "none": "无", "country": "国家", @@ -351,7 +362,7 @@ "add_new_label_name": "添加新标签 “{name}”", "add_new_label": "添加新标签...", "label_picker_no_labels": "您没有任何标签", - "no_matching_labels_found": "没有找到匹配的标签", + "no_matching_labels_found": "未找到匹配的标签", "show_areas": "显示区域", "add_new_area_name": "新建区域“{name}”", "add_new_area": "添加新区域…", @@ -362,7 +373,6 @@ "ui_components_area_picker_add_dialog_text": "输入新区域的名称。", "ui_components_area_picker_add_dialog_title": "添加新区域", "show_floors": "显示楼层", - "floor": "楼层", "add_new_floor_name": "添加新楼层 “{name}”", "add_new_floor": "添加新楼层...", "floor_picker_no_floors": "您没有任何楼层", @@ -371,7 +381,7 @@ "ui_components_floor_picker_add_dialog_text": "输入新楼层的名称。", "ui_components_floor_picker_add_dialog_title": "添加新楼层", "no_areas": "无区域", - "area_filter_area_count": "{count} {count, plural,\n one {区域}\n other {区域}\n}", + "area_filter_area_count": "{count} {count, plural,\n one {个区域}\n other {个区域}\n}", "all_areas": "所有区域", "show_area": "显示{area}", "hide_area": "隐藏{area}", @@ -383,15 +393,15 @@ "add_on": "加载项", "error_no_supervisor": "安装的操作系统不支持存储。", "error_fetch_addons": "加载加载项时出错。", - "mount_picker_use_datadisk": "使用数据盘进行备份", + "mount_picker_use_datadisk": "使用数据磁盘进行备份", "error_fetch_mounts": "加载位置时出错。", "speech_to_text": "语音转文字", - "by_entity": "按实体", - "filter_by_device": "按设备", - "filter_by_area": "按区域", - "entity_entity_name": "实体: {entity_name}", - "device_device_name": "设备: {device_name}", - "area_area_name": "区域: {area_name}", + "filter_by_entity": "按实体筛选", + "filter_by_device": "按设备筛选", + "filter_by_area": "按区域筛选", + "entity_entity_name": "实体:{entity_name}", + "device_device_name": "设备:{device_name}", + "area_area_name": "区域:{area_name}", "uploading": "正在上传...", "uploading_name": "正在上传{name}", "add_file": "添加文件", @@ -401,8 +411,8 @@ "current_picture": "当前图片", "picture_upload_supported_formats": "支持 JPEG、PNG 或 GIF 图像。", "default_color_state": "默认颜色(状态)", - "primary": "主要", - "focus": "重点", + "primary": "主色调", + "accent": "强调色", "disabled": "已禁用", "inactive": "不活动", "red": "红色", @@ -427,7 +437,7 @@ "dark_grey": "深灰色", "blue_grey": "蓝灰色", "black": "黑色", - "white": "白光", + "white": "白色", "start_date": "开始日期", "end_on": "结束日期", "select_time_period": "选择时间段", @@ -440,6 +450,9 @@ "last_month": "上月", "this_year": "今年", "last_year": "去年", + "reset_to_default_size": "重置为默认尺寸", + "number_of_columns": "列数", + "number_of_rows": "行数", "never": "永不结束", "history_integration_disabled": "已禁用“历史”集成", "loading_state_history": "正在加载状态历史…", @@ -467,9 +480,12 @@ "related_items_automation": "以下自动化的一部分", "using_blueprint": "使用蓝图", "no_data": "没有数据", - "filtering_by": "筛选方式:", + "filtering_by": "筛选方式:", "number_hidden": "{number} 个已隐藏", "ungrouped": "未分组", + "hide_column_title": "隐藏列 {title}", + "show_column_title": "显示列 {title}", + "restore_defaults": "恢复默认值", "message": "消息", "gender": "性别", "male": "男声", @@ -528,7 +544,7 @@ "save_item": "保存项目", "due_date": "截止日期", "item_not_all_required_fields": "未填写所有必填项", - "confirm_delete_prompt": "您想要删除此项目吗 ?", + "confirm_delete_prompt": "您想要删除此项目吗?", "my_calendars": "我的日历", "create_calendar": "新建日历", "calendar_event_retrieval_error": "无法检索日历事件:", @@ -589,24 +605,24 @@ "scenes": "场景", "people": "人员", "zones": "地点", - "input_booleans": "预设布尔值【input_boolean】", - "input_texts": "预设文本【input_text】", - "input_numbers": "预设数值【input_number】", - "input_date_times": "预设日期【input_datetime】", - "input_selects": "预设选择【input_select】", - "template_entities": "模板实体【template】", + "input_booleans": "预设布尔值(input_boolean)", + "input_texts": "预设文本(input_text)", + "input_numbers": "预设数值(input_number)", + "input_date_times": "预设日期(input_datetime)", + "input_selects": "预设选择(input_select)", + "template_entities": "模板实体(template)", "universal_media_player_entities": "通用媒体播放器实体", - "reload_rest": "REST 实体及其通知服务【rest】", - "command_line_entities": "命令行实体【command_line】", - "filter_entities": "过滤器实体【filter】", - "statistics_entities": "统计实体【state_characteristic】", + "reload_rest": "REST 实体及其通知服务(rest)", + "command_line_entities": "命令行实体(command_line)", + "filter_entities": "过滤器实体(filter)", + "statistics_entities": "统计实体(state_characteristic)", "generic_ip_camera_entities": "通用 IP 摄像头实体", "generic_thermostat_entities": "通用恒温器实体", "homekit": "HomeKit", "min_max_entities": "最小值/最大值实体", "history_stats_entities": "历史记录统计实体", "trend_entities": "趋势实体", - "ping_binary_sensor_entities": "Ping 二进制传感器实体", + "ping_binary_sensor_entities": "Ping 二元传感器实体", "file_size_entities": "文件尺寸实体", "telegram_notify_services": "Telegram 通知服务", "smtp_notify_services": "SMTP 通知服务", @@ -616,7 +632,7 @@ "restart": "重新开始", "reload": "重新加载", "navigate": "前往", - "helpers": "辅助", + "helpers": "辅助元素", "tag": "联动标签", "energy_configuration": "能源配置", "dashboards": "Dashboards", @@ -655,7 +671,7 @@ "details": "详情", "back_to_info": "返回至信息页", "info": "信息", - "expose": "关联", + "related": "关联", "device_info": "设备信息", "last_changed": "上次变化", "last_updated": "上次更新", @@ -686,10 +702,10 @@ "set_white": "调白", "select_effect": "选择效果", "change_color": "更改颜色", - "set_favorite_color_number": "设置{number}个收藏颜色", - "edit_favorite_color_number": "编辑{number}个收藏颜色", - "delete_favorite_color_number": "删除{number}个收藏颜色", - "delete_favorite_color": "删除收藏颜色 ?", + "set_favorite_color_number": "设置 {number} 个收藏颜色", + "edit_favorite_color_number": "编辑 {number} 个收藏颜色", + "delete_favorite_color_number": "删除 {number} 个收藏颜色", + "delete_favorite_color": "删除收藏颜色?", "favorite_color_delete_confirm_text": "此收藏颜色将被永久删除。", "add_new_favorite_color": "添加新的收藏颜色", "add_favorite_color": "添加收藏颜色", @@ -705,7 +721,7 @@ "unit_of_measurement": "度量单位", "precipitation_unit": "降水量单位", "display_precision": "显示精度", - "default_value": "默认 ({value})", + "default_value": "默认({value})", "pressure_unit": "气压单位", "temperature_unit": "温度单位", "visibility_unit": "能见度单位", @@ -754,8 +770,8 @@ "this_entity_is_disabled": "此实体已禁用。", "open_device_settings": "打开设备设置", "use_device_area": "使用设备区域", - "editor_change_device_settings": "在设备设置中你可以{link}", - "change_the_device_area": "改变设备区域", + "editor_change_device_settings": "您可以在设备设置中{link}", + "change_the_device_area": "更改设备区域", "integration_options": "“{integration}”选项", "specific_options_for_integration": "{integration}的特定选项", "preload_camera_stream": "预加载视频流", @@ -771,20 +787,21 @@ "enable_type": "启用{type}", "device_registry_detail_enabled_cause": "{type}已通过{cause}禁用。", "unknown_error": "未知错误", + "expose": "公开", "alias": "别名", "ask_for_pin": "询问PIN", - "managed_in_configuration_yaml": "在configuration.yaml 中管理", + "managed_in_configuration_yaml": "由 configuration.yaml 管理", "unsupported": "不支持", "more_info_about_entity": "关于实体的更多信息", "restart_home_assistant": "确认重新启动 Home Assistant?", - "advanced_options": "Advanced options", + "advanced_options": "高级选项", "quick_reload": "快速重载", - "reload_description": "从 YAML 配置重新加载辅助元素。", + "reload_description": "从 YAML 配置重新加载区域。", "reloading_configuration": "配置重载", "failed_to_reload_configuration": "重载配置失败", "restart_description": "中断所有运行中的自动化和脚本。", "restart_failed": "重新启动 Home Assistant 失败", - "stop_home_assistant": "停止 Home Assistant ?", + "stop_home_assistant": "停止 Home Assistant?", "reboot_system": "确认重新启动系统?", "reboot": "重新启动", "rebooting_system": "正在重新启动系统", @@ -794,11 +811,11 @@ "shutting_down_system": "关闭主机", "shutdown_failed": "关闭系统失败", "restart_safe_mode_title": "以安全模式重新启动 Home Assistant", - "restart_safe_mode_confirm_title": "要以安全模式重新启动 Home Assistant 吗 ?", + "restart_safe_mode_confirm_title": "要以安全模式重新启动 Home Assistant 吗?", "name_aliases": "“{name}”的别名", "remove_alias": "删除别名", "add_alias": "添加别名", - "aliases_no_aliases": "未添加别名", + "aliases_no_aliases": "尚未添加任何别名", "ui_dialogs_aliases_input_label": "别名 {number}", "ui_dialogs_aliases_remove_alias": "删除别名 {number}", "input_datetime_mode": "您想输入什么", @@ -813,17 +830,16 @@ "slider": "滑动条", "step": "步长", "add_option": "添加选项", - "remove_option": "移除选项", + "remove_option": "删除选项", "input_select_no_options": "目前没有选项。", "initial_value": "初始值", "restore": "恢复", - "schedule_confirm_delete": "您想删除此项目 ?", "loading_loading_step": "正在加载“{integration}”的下一步", "options_successfully_saved": "选项已成功保存。", "repair_issue": "修复问题", - "the_issue_is_repaired": "问题已修复 !", + "the_issue_is_repaired": "问题已修复!", "system_options_for_integration": "{integration} 系统选项", - "enable_newly_added_entities": "启用新添加的实体。", + "enable_newly_added_entities": "启用新增的实体。", "enable_polling_for_updates": "启用轮询刷新。", "reconfigure": "重新配置设备", "configuring": "正在配置", @@ -836,7 +852,6 @@ "reporting": "上报", "min_max_change": "min/max/change", "manage_zigbee_device": "管理 Zigbee 设备", - "clusters": "集群", "signature": "签名", "neighbors": "邻居", "by_manufacturer": "制造商:{manufacturer}", @@ -853,12 +868,12 @@ "device_debug_info": "{device} 调试信息", "mqtt_device_debug_info_deserialize": "尝试将 MQTT 消息解析为 JSON", "no_entities": "没有实体", - "no_triggers": "没有触发器", + "no_triggers": "没有触发条件", "payload_display": "有效载荷显示", "mqtt_device_debug_info_recent_messages": "最近 {n} 条收到的消息", - "mqtt_device_debug_info_recent_tx_messages": "最近{n} 条传输的消息", + "mqtt_device_debug_info_recent_tx_messages": "最近 {n} 条传输的消息", "show_as_yaml": "显示为 YAML", - "trigger": "触发器", + "triggers": "触发条件", "unsupported_title": "您当前运行的系统不受支持", "reasons_apparmor": "未在主机上启用 AppArmor", "content_trust_validation_is_disabled": "内容信任验证已禁用", @@ -868,7 +883,7 @@ "ignored_job_conditions": "已忽略的工作条件", "lxc": "LXC", "network_manager": "网络管理器", - "operating_system": "Operating system【操作系统】", + "operating_system": "操作系统", "os_agent": "OS Agent", "supervisor_is_not_privileged": "Supervisor 权限不够", "unsupported_software_detected": "检测到不受支持的软件", @@ -886,7 +901,7 @@ "join": "加入", "enter_code": "输入口令", "try_text_to_speech": "试试文字转语音", - "tts_try_message_example": "你好,我能帮上什么忙吗 ?", + "tts_try_message_example": "您好,我能帮上什么忙吗?", "tts_try_message_placeholder": "输入要说的句子。", "ip_information": "IP 信息", "ipv": "IPv6", @@ -895,7 +910,7 @@ "method_method": "模式:{method}", "name_servers_nameservers": "域名服务器:{nameservers}", "create_backup": "创建备份", - "update_backup_text": "这将在安装前创建备份。", + "update_backup_text": "安装之前将先创建备份。", "create": "创建", "add_device": "添加设备", "matter_add_device_add_device_failed": "无法添加此设备", @@ -905,7 +920,7 @@ "main_answer_existing_description": "我的设备已连接到另一个控制器。", "new_playstore": "从 Google Play 获取", "new_appstore": "从 App Store 下载", - "existing_question": "它连接到哪个控制器 ?", + "existing_question": "它连接到哪个控制器?", "google_home": "Google Home", "apple_home": "Apple Home", "other_controllers": "其他控制器", @@ -933,7 +948,7 @@ "config_editor_not_available": "“{type}”类型没有可视化编辑器。", "config_key_missing": "缺少必需的键“{key}”。", "config_no_template_editor_support": "可视化编辑器不支持模板", - "supervisor_title": "无法加载 Supervisor 面板 !", + "supervisor_title": "无法加载 Supervisor 面板!", "ask_for_help": "寻求帮助", "supervisor_reboot": "请尝试重启主机", "check_the_observer": "检查 Observer。", @@ -946,12 +961,11 @@ "dismiss_all": "全部关闭", "notification_toast_service_call_failed": "调用服务 {service} 失败。", "connection_lost_reconnecting": "连接中断。正在重新连接…", - "home_assistant_has_started": "Home Assistant 已启动 !", + "home_assistant_has_started": "Home Assistant 已启动!", "triggered_name": "已触发 {name}", "notification_toast_no_matching_link_found": "找不到与 {path} 匹配的 My 链接", "app_configuration": "应用配置", "sidebar_toggle": "侧边栏切换", - "done": "完成", "hide_panel": "隐藏面板", "show_panel": "显示面板", "show_more_detail": "显示更多信息", @@ -963,9 +977,9 @@ "welcome_home": "欢迎回家", "empty_state_go_to_integrations_page": "前往集成页面。", "never_triggered": "从未触发", - "todo_list_no_unchecked_items": "您没有待办事项 !", + "todo_list_no_unchecked_items": "您没有待办事项!", "completed": "已完成", - "remove_completed_items": "移除已完成项目吗 ?", + "remove_completed_items": "清除已完成项目吗?", "reorder_items": "重新排列项目", "exit_reorder_mode": "退出排序模式", "drag_and_drop": "拖放", @@ -1025,7 +1039,7 @@ "views_delete_unnamed_view_only": "此视图将被删除。", "ui_panel_lovelace_views_confirm_delete": "删除此视图?", "ui_panel_lovelace_views_confirm_delete_existing_cards": "删除此视图将同时删除卡片。", - "ui_panel_lovelace_views_confirm_delete_existing_cards_text": "您确定要删除“{name}”视图吗 ?此视图包含的 {number} 张卡片也将被删除。此操作不能撤消。", + "ui_panel_lovelace_views_confirm_delete_existing_cards_text": "您确定要删除“{name}”视图吗?此视图包含的 {number} 张卡片也将被删除。此操作不能撤消。", "ui_panel_lovelace_views_confirm_delete_text": "您确定要删除“{name}”视图吗?", "edit_dashboard": "编辑仪表盘", "reload_resources": "重载资源", @@ -1048,19 +1062,21 @@ "view_configuration": "配置视图", "name_view_configuration": "{name}视图配置", "add_view": "添加视图", + "background_title": "向视图添加背景", "edit_view": "编辑视图", "move_view_left": "向左移动视图", "move_view_right": "向右移动视图", + "background": "背景", "badges": "徽章", "view_type": "视图类型", - "masonry_default": "瀑布流(默认)", + "masonry_default": "瀑布流(默认)", "sidebar": "侧边栏", - "panel_card": "面板式 (单卡)", + "panel_card": "面板(单张卡片)", "sections_experimental": "部件 (实验性)", "subview": "子视图", "max_number_of_columns": "最大列数", - "edit_in_visual_editor": "在可视化编辑器中编辑", - "edit_in_yaml": "在 YAML 中编辑", + "edit_in_visual_editor": "可视化编辑", + "edit_in_yaml": "YAML 编辑", "saving_failed": "保存失败", "ui_panel_lovelace_editor_edit_view_type_helper_others": "您无法将视图更改为其他类型,因为尚不支持迁移。如果要使用其他视图类型,请使用新视图从头开始。", "ui_panel_lovelace_editor_edit_view_type_helper_sections": "您无法将视图更改为可使用“部件”的视图类型,因为尚不支持迁移。如果您想尝试使用“部件”视图,请使用新视图从头开始。", @@ -1083,7 +1099,10 @@ "increase_card_position": "增大卡片位置号", "more_options": "更多选项", "search_cards": "搜索卡片", + "config": "配置", + "layout": "布局", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "您想将哪张卡片添加到 {name} 视图?", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "可见性", "move_card_error_title": "无法移动卡片", "choose_a_view": "选择视图", "dashboard": "仪表盘", @@ -1101,8 +1120,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "{section}及其所有卡片都将被删除。", "ui_panel_lovelace_editor_delete_section_text_section_only": "{section}将被删除。", "ui_panel_lovelace_editor_delete_section_unnamed_section": "此部件", - "edit_name": "编辑名称", - "add_name": "添加名称", + "edit_section": "编辑部件", "suggest_card_header": "为您生成的建议如下", "pick_different_card": "选择其他卡片", "add_to_dashboard": "添加至仪表盘", @@ -1119,8 +1137,8 @@ "no_action": "没有动作", "add_condition": "添加条件", "test": "测试", - "condition_passes": "条件通过", - "condition_did_not_pass": "条件未通过", + "condition_passes": "环境条件成立", + "condition_did_not_pass": "环境条件不成立", "invalid_configuration": "配置无效", "entity_numeric_state": "实体数值状态", "above": "高于", @@ -1146,7 +1164,7 @@ "list_days": "列表(7 天)", "card": "卡片", "change_type": "更改类型", - "show_header_toggle": "显示头部切换开关 ?", + "show_header_toggle": "显示标题旁的开关?", "toggle_entities": "切换实体。", "special_row": "特殊行", "entity_row_editor": "实体行编辑器", @@ -1158,8 +1176,8 @@ "cast": "投射", "secondary_information": "次要信息", "gauge": "表盘", - "display_as_needle_gauge": "显示指针 ?", - "define_severity": "设置分级变色 ?", + "display_as_needle_gauge": "显示指针?", + "define_severity": "设置分级变色?", "columns": "列", "render_cards_as_squares": "将卡片显示为正方形", "history_graph": "历史图表", @@ -1197,17 +1215,17 @@ "paste_from_clipboard": "从剪贴板粘贴", "generic_paste_description": "从剪贴板粘贴一个“{type}”卡片", "refresh_interval": "刷新间隔", - "show_icon": "显示图标 ?", - "show_name": "显示名称 ?", - "show_state": "显示状态 ?", + "show_icon": "显示图标?", + "show_name": "显示名称?", + "show_state": "显示状态?", "tap_action": "点击动作", "secondary_info_attribute": "次要信息属性", - "generic_state_color": "图标跟随状态变色 ?", + "generic_state_color": "图标跟随状态变色?", "suggested_cards": "推荐卡片", "other_cards": "其它卡片", "custom_cards": "自定义卡片", "geolocation_sources": "地理位置来源", - "dark_mode": "深色模式 ?", + "dark_mode": "深色模式?", "appearance": "外观", "theme_mode": "主题模式。", "dark": "深色", @@ -1219,7 +1237,7 @@ "picture_entity": "图片实体", "picture_glance": "图片概览", "state_entity": "状态实体", - "plant_status": "植物状况", + "plant_status": "植物状态", "sensor": "传感器", "thermostat": "恒温器", "thermostat_show_current_as_primary": "将当前温度显示为主要信息", @@ -1242,18 +1260,18 @@ "features_no_compatible_available": "没有可用于此实体的兼容功能", "add_feature": "添加功能", "edit_feature": "编辑功能", - "remove_feature": "移除功能", + "remove_feature": "删除功能", "cover_open_close": "窗帘开关", - "cover_position": "窗帘位置", + "cover_position": "卷帘位置", "cover_tilt": "卷帘倾斜", "cover_tilt_position": "卷帘倾斜位置", - "alarm_modes": "设防模式", + "alarm_modes": "警报模式", "customize_alarm_modes": "自定义警报模式", "light_brightness": "灯光亮度", "light_color_temperature": "灯光色温", "lock_commands": "锁定命令", "lock_open_door": "锁定打开的门", - "vacuum_commands": "扫地机指令", + "vacuum_commands": "扫地机命令", "command": "命令", "climate_fan_modes": "空调风扇模式", "style": "样式", @@ -1265,7 +1283,7 @@ "customize_swing_modes": "自定义摆动模式", "climate_hvac_modes": "空调运行模式", "hvac_mode": "暖通空调模式", - "customize_hvac_modes": "自定义 HVAC 模式", + "customize_hvac_modes": "自定义暖通空调模式", "climate_preset_modes": "空调预设模式", "customize_preset_modes": "自定义预设模式", "fan_preset_modes": "风扇预设模式", @@ -1276,15 +1294,15 @@ "numeric_input": "数值输入", "water_heater_operation_modes": "热水器运行模式", "run_mode": "运行模式", - "customize_operation_modes": "自定义操作模式", + "customize_operation_modes": "自定义运行模式", "update_actions": "更新动作", "ask": "询问", "backup_is_not_supported": "不支持备份。", - "ui_panel_lovelace_editor_features_types_number_style_list_slider": "滑块", "hide_entities_without_area": "隐藏没有区域的实体", "hide_energy": "隐藏能量", "ui_panel_lovelace_editor_strategy_original_states_hidden_areas": "隐藏区域", "no_description_available": "没有可用的描述。", + "by_entity": "按实体", "by_card": "按卡片", "header": "头部", "footer": "尾部", @@ -1293,179 +1311,125 @@ "header_editor": "头部编辑器", "footer_editor": "尾部编辑器", "feature_editor": "功能编辑器", - "ui_panel_lovelace_editor_color_picker_colors_accent": "强调色", "ui_panel_lovelace_editor_color_picker_colors_blue_grey": "青山黛", "ui_panel_lovelace_editor_color_picker_colors_inactive": "未激活", - "ui_panel_lovelace_editor_color_picker_colors_primary": "主色调", - "ui_panel_lovelace_editor_color_picker_colors_white": "白色", + "ui_panel_lovelace_editor_edit_section_title_title": "编辑名称", + "ui_panel_lovelace_editor_edit_section_title_title_new": "添加名称", "warning_attribute_not_found": "属性 {attribute} 对 {entity} 不可用", "entity_not_available_entity": "实体 {entity} 不可用", "entity_is_non_numeric_entity": "实体 {entity} 非数值", "warning_entity_unavailable": "实体当前不可用: {entity}", "invalid_timestamp": "时间戳无效", "invalid_display_format": "显示格式无效", + "now": "现在", "compare_data": "比较数据", "reload_ui": "重新加载用户界面", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "switch": "开关", - "camera": "摄像头", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "群组", - "timer": "计时器", - "schedule": "计划表", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "二元选择器", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "对话", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "蓝牙", + "input_button": "输入按钮", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "警报控制面板", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "风扇", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "设备跟踪器", + "trace": "Trace", + "stream": "Stream", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "二元选择器", + "camera": "摄像头", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "日期选择器", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "诊断", + "siren": "警报器", + "fitbit": "Fitbit", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "阀门", + "assist_pipeline": "助理 Pipeline", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "空调", + "conversation": "对话", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "文件大小", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "持久通知", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "应用程序凭据", - "local_calendar": "本地日历", - "trace": "Trace", - "input_number": "数值输入器", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "文本输入器", - "rpi_power_title": "树莓派电源检查器", - "weather": "天气", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "群组", + "auth": "Auth", + "thread": "Thread", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "计划表", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "持久通知", + "remote": "遥控", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "树莓派电源检查器", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "switch": "开关", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "设备跟踪器", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "天气", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "遥控", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "数值输入器", + "binary_sensor": "二元传感器", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "送风", + "scene": "Scene", + "input_select": "辅助选择器", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "事件", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", - "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "蓝牙", - "command_line": "Command Line", - "profiler": "Profiler", - "mobile_app": "移动应用", - "diagnostics": "诊断", "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "警报器", - "input_select": "辅助选择器", - "assist_pipeline": "助理 Pipeline", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "输入按钮", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", + "speech_to_text_stt": "Speech-to-text (STT)", + "event": "事件", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "空调", + "home_assistant_frontend": "Home Assistant Frontend", "counter": "计数器", - "binary_sensor": "二元传感器", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "阀门", - "os_agent_version": "OS Agent 版本", - "apparmor_version": "Apparmor 版本", - "cpu_percent": "CPU 百分比", - "disk_free": "可用空间", - "disk_total": "磁盘总容量", - "disk_used": "已使用空间", - "memory_percent": "内存百分比", - "version": "版本", - "newest_version": "最新版本", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", + "mobile_app": "移动应用", + "deconz": "deCONZ", + "timer": "计时器", + "application_credentials": "应用程序凭据", + "local_calendar": "本地日历", "synchronize_devices": "同步设备", - "device_name_current": "{device_name} 电流", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name} 电流消耗", - "today_s_consumption": "今日消耗", - "device_name_today_s_consumption": "{device_name} 今日消耗", - "total_consumption": "总消耗量", - "device_name_total_consumption": "{device_name} 总消耗", - "device_name_voltage": "{device_name} 电压", - "led": "LED", - "bytes_received": "已接收字节数", - "server_country": "服务器国家/地区", - "server_id": "服务器标识符", - "server_name": "服务器名称", - "ping": "Ping", - "upload": "上传", - "bytes_sent": "已发送字节数", - "air_quality_index": "空气质量指数", - "illuminance": "照度", - "noise": "噪音", - "overload": "超载", - "voltage": "电压", - "estimated_distance": "预计距离", - "vendor": "供应商", - "assist_in_progress": "助理进行中", - "auto_gain": "自动增益", - "mic_volume": "麦克风音量", - "noise_suppression": "降噪", - "noise_suppression_level": "降噪级别", - "preferred": "首选", - "satellite_enabled": "已启用卫星", - "ding": "叮", - "doorbell_volume": "门铃音量", - "last_activity": "上次活动", - "last_ding": "上次叮声", - "last_motion": "上次运动", - "voice_volume": "语音音量", - "volume": "音量", - "wi_fi_signal_category": "Wi-Fi 信号类别", - "wi_fi_signal_strength": "Wi-Fi 信号强度", - "battery_level": "电池电量", - "size": "大小", - "size_in_bytes": "大小(以字节为单位)", - "finished_speaking_detection": "说完检测", - "aggressive": "积极", - "default": "默认", - "relaxed": "轻松", - "call_active": "通话启用", + "last_scanned_by_device_id_name": "上次扫描的设备标识符", + "tag_id": "标签标识符", "heavy": "严重", "mild": "轻微", "button_down": "按钮向下", @@ -1481,36 +1445,16 @@ "not_completed": "未完成", "checking": "正在检查", "failure": "失败", - "device_admin": "设备管理员", - "kiosk_mode": "资讯站模式", - "load_start_url": "加载起始 URL", - "restart_browser": "重启浏览器", - "restart_device": "重启设备", - "send_to_background": "发送到后台", - "bring_to_foreground": "带到前台", - "screen_brightness": "屏幕亮度", - "screen_off_timer": "屏幕关闭计时器", - "screensaver_brightness": "屏保亮度", - "screensaver_timer": "屏幕保护计时器", - "current_page": "当前页面", - "foreground_app": "前台应用程序", - "internal_storage_free_space": "内部存储可用空间", - "internal_storage_total_space": "内部存储总空间", - "free_memory": "空闲内存", - "total_memory": "总内存", - "screen_orientation": "屏幕方向", - "kiosk_lock": "自助终端锁", - "maintenance_mode": "维护模式", - "motion_detection": "运动侦测", - "screensaver": "屏幕保护程序", - "compressor_energy_consumption": "压缩机能耗", - "compressor_estimated_power_consumption": "压缩机估计功耗", - "compressor_frequency": "压缩机频率", - "cool_energy_consumption": "制冷能耗", - "energy_consumption": "能耗", - "heat_energy_consumption": "制热消耗", - "inside_temperature": "内部温度", - "outside_temperature": "外部温度", + "battery_level": "电池电量", + "os_agent_version": "OS Agent 版本", + "apparmor_version": "Apparmor 版本", + "cpu_percent": "CPU 百分比", + "disk_free": "可用空间", + "disk_total": "磁盘总容量", + "disk_used": "已使用空间", + "memory_percent": "内存百分比", + "version": "版本", + "newest_version": "最新版本", "next_dawn": "下个清晨", "next_dusk": "下个黄昏", "next_midnight": "下个午夜", @@ -1520,17 +1464,123 @@ "solar_azimuth": "太阳方位角", "solar_elevation": "太阳高度角", "solar_rising": "太阳正在升起", - "calibration": "校准", - "auto_lock_paused": "自动锁定已暂停", - "timeout": "超时", - "unclosed_alarm": "未关闭的警报", - "unlocked_alarm": "未锁警报", - "bluetooth_signal": "蓝牙信号", - "light_level": "灯光级别", - "wi_fi_signal": "无线信号", - "momentary": "短暂", - "pull_retract": "拉/缩", + "compressor_energy_consumption": "压缩机能耗", + "compressor_estimated_power_consumption": "压缩机估计功耗", + "compressor_frequency": "压缩机频率", + "cool_energy_consumption": "制冷能耗", + "energy_consumption": "能耗", + "heat_energy_consumption": "制热消耗", + "inside_temperature": "内部温度", + "outside_temperature": "外部温度", + "assist_in_progress": "助理进行中", + "preferred": "首选", + "finished_speaking_detection": "说完检测", + "aggressive": "积极", + "default": "默认", + "relaxed": "轻松", + "device_admin": "设备管理员", + "kiosk_mode": "资讯站模式", + "load_start_url": "加载起始 URL", + "restart_browser": "重启浏览器", + "restart_device": "重启设备", + "send_to_background": "发送到后台", + "bring_to_foreground": "带到前台", + "screenshot": "截屏", + "overlay_message": "叠加消息", + "screen_brightness": "屏幕亮度", + "screen_off_timer": "屏幕关闭计时器", + "screensaver_brightness": "屏保亮度", + "screensaver_timer": "屏幕保护计时器", + "current_page": "当前页面", + "foreground_app": "前台应用程序", + "internal_storage_free_space": "内部存储可用空间", + "internal_storage_total_space": "内部存储总空间", + "free_memory": "空闲内存", + "total_memory": "总内存", + "screen_orientation": "屏幕方向", + "kiosk_lock": "自助终端锁", + "maintenance_mode": "维护模式", + "motion_detection": "运动侦测", + "screensaver": "屏幕保护程序", + "battery_low": "电池电量低", + "cloud_connection": "云连接", + "humidity_warning": "湿度警告", + "temperature_warning": "温度警告", + "update_available": "可用更新", + "dry": "除湿", + "wet": "潮湿", + "stop_alarm": "停止报警", + "test_alarm": "测试报警", + "turn_off_in": "关闭分钟数", + "smooth_off": "平滑关闭", + "smooth_on": "平滑打开", + "temperature_offset": "温度偏移", + "alarm_sound": "报警声", + "alarm_volume": "报警音量", + "light_preset": "灯光预设", + "alarm_source": "报警源", + "auto_off_at": "自动关闭于", + "available_firmware_version": "可用固件版本", + "this_month_s_consumption": "本月消耗", + "today_s_consumption": "今日消耗", + "total_consumption": "总消耗量", + "device_name_current": "{device_name} 电流", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name} 电流消耗", + "current_firmware_version": "当前固件版本", + "device_time": "设备时间", + "on_since": "打开时间", + "report_interval": "报告间隔", + "signal_strength": "信号强度", + "signal_level": "信号级别", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name} 今日消耗", + "device_name_total_consumption": "{device_name} 总消耗", + "voltage": "电压", + "device_name_voltage": "{device_name} 电压", + "auto_off_enabled": "已启用自动关闭", + "auto_update_enabled": "已启用自动更新", + "fan_sleep_mode": "风扇睡眠模式", + "led": "LED", + "smooth_transitions": "平滑转换", + "process_process": "进程 {process}", + "disk_free_mount_point": "可用磁盘 {mount_point}", + "disk_use_mount_point": "已用磁盘 {mount_point}", + "disk_usage_mount_point": "磁盘使用率 {mount_point}", + "ipv_address_ip_address": "IPv6 地址 {ip_address}", + "last_boot": "上次启动", + "load_m": "负载(5 分钟)", + "memory_free": "可用内存", + "memory_use": "已用内存", + "memory_usage": "内存使用率", + "network_in_interface": "网络 - 输入 {interface}", + "network_out_interface": "网络 - 输出 {interface}", + "packets_in_interface": "数据包 - 输入 {interface}", + "packets_out_interface": "数据包 - 输出 {interface}", + "processor_temperature": "处理器温度", + "processor_use": "处理器占用", + "swap_free": "可用虚拟内存", + "swap_use": "已用虚拟内存", + "swap_usage": "虚拟内存使用率", + "network_throughput_in_interface": "网络吞吐量 - 输入 {interface}", + "network_throughput_out_interface": "网络吞吐量 - 输出 {interface}", + "estimated_distance": "预计距离", + "vendor": "供应商", + "air_quality_index": "空气质量指数", + "illuminance": "照度", + "noise": "噪音", + "overload": "超载", + "size": "大小", + "size_in_bytes": "大小(以字节为单位)", + "bytes_received": "已接收字节数", + "server_country": "服务器国家/地区", + "server_id": "服务器标识符", + "server_name": "服务器名称", + "ping": "Ping", + "upload": "上传", + "bytes_sent": "已发送字节数", "animal": "动物", + "detected": "已触发", "animal_lens": "动物镜头 1", "face": "人脸", "face_lens": "人脸镜头 1", @@ -1540,6 +1590,9 @@ "person_lens": "人员镜头 1", "pet": "宠物", "pet_lens": "宠物镜头 1", + "sleep_status": "睡眠状态", + "awake": "唤醒", + "sleeping": "休眠", "vehicle": "车辆", "vehicle_lens": "车辆镜头 1", "visitor": "访客", @@ -1588,6 +1641,7 @@ "auto_track_stop_time": "自动追踪停止时间", "day_night_switch_threshold": "昼夜切换阈值", "floodlight_turn_on_brightness": "泛光灯开启亮度", + "focus": "重点", "guard_return_time": "守卫返回时间", "image_brightness": "图像亮度", "image_contrast": "图像对比度", @@ -1596,6 +1650,7 @@ "image_sharpness": "图像清晰度", "motion_sensitivity": "运动灵敏度", "pir_sensitivity": "PIR 灵敏度", + "volume": "音量", "zoom": "缩放", "auto_quick_reply_message": "自动快速回复消息", "auto_track_method": "自动跟踪方式", @@ -1604,15 +1659,16 @@ "pan_tilt_first": "平移/倾斜优先", "day_night_mode": "昼夜模式", "black_white": "黑白", + "doorbell_led": "门铃 LED", + "always_on": "常开", + "state_alwaysonatnight": "自动且夜间常开", + "stay_off": "远离", "floodlight_mode": "泛光灯模式", "adaptive": "适应", "auto_adaptive": "自动适应", "on_at_night": "夜间开启", "play_quick_reply_message": "播放快速回复消息", "ptz_preset": "云台预置位", - "always_on": "常开", - "state_alwaysonatnight": "自动且夜间常开", - "stay_off": "远离", "battery_percentage": "电池百分比", "battery_state": "电池状态", "charge_complete": "充电完成", @@ -1626,6 +1682,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} 存储", "ptz_pan_position": "云台平移位置", "sd_hdd_index_storage": "SD {hdd_index} 存储", + "wi_fi_signal": "Wi-Fi信号", "auto_focus": "自动对焦", "auto_tracking": "自动跟踪", "buzzer_on_event": "事件发生时发出蜂鸣", @@ -1634,6 +1691,7 @@ "ftp_upload": "FTP 上传", "guard_return": "守卫返回", "hdr": "HDR", + "manual_record": "手动记录", "pir_enabled": "PIR 启用", "pir_reduce_false_alarm": "PIR 减少误报", "ptz_patrol": "云台巡视", @@ -1641,72 +1699,72 @@ "record": "录制", "record_audio": "录制音频", "siren_on_event": "事件发生时发送警报", - "process_process": "进程 {process}", - "disk_free_mount_point": "可用磁盘 {mount_point}", - "disk_use_mount_point": "已用磁盘 {mount_point}", - "disk_usage_mount_point": "磁盘使用率 {mount_point}", - "ipv_address_ip_address": "IPv6 地址 {ip_address}", - "last_boot": "上次启动", - "load_m": "负载(5 分钟)", - "memory_free": "可用内存", - "memory_use": "已用内存", - "memory_usage": "内存使用率", - "network_in_interface": "网络 - 输入 {interface}", - "network_out_interface": "网络 - 输出 {interface}", - "packets_in_interface": "数据包 - 输入 {interface}", - "packets_out_interface": "数据包 - 输出 {interface}", - "processor_temperature": "处理器温度", - "processor_use": "处理器占用", - "swap_free": "可用虚拟内存", - "swap_use": "已用虚拟内存", - "swap_usage": "虚拟内存使用率", - "network_throughput_in_interface": "网络吞吐量 - 输入 {interface}", - "network_throughput_out_interface": "网络吞吐量 - 输出 {interface}", - "device_trackers": "设备追踪器", - "gps_accuracy": "GPS 精度", + "call_active": "通话启用", + "auto_gain": "自动增益", + "mic_volume": "麦克风音量", + "noise_suppression": "降噪", + "noise_suppression_level": "降噪级别", + "satellite_enabled": "已启用卫星", + "calibration": "校准", + "auto_lock_paused": "自动锁定已暂停", + "timeout": "超时", + "unclosed_alarm": "未关闭的警报", + "unlocked_alarm": "未锁警报", + "bluetooth_signal": "蓝牙信号", + "light_level": "灯光级别", + "momentary": "短暂", + "pull_retract": "拉/缩", + "ding": "叮", + "doorbell_volume": "门铃音量", + "last_activity": "上次活动", + "last_ding": "上次叮声", + "last_motion": "上次运动", + "voice_volume": "语音音量", + "wi_fi_signal_category": "Wi-Fi 信号类别", + "wi_fi_signal_strength": "Wi-Fi 信号强度", + "apparent_power": "视在功率", + "atmospheric_pressure": "大气压", + "carbon_dioxide": "二氧化碳", + "data_rate": "数据速率", + "distance": "距离", + "stored_energy": "储存能量", + "frequency": "频率", + "irradiance": "辐照度", + "nitrogen_dioxide": "二氧化氮", + "nitrogen_monoxide": "一氧化氮", + "nitrous_oxide": "一氧化二氮", + "ozone": "臭氧", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "功率因数", + "precipitation_intensity": "降水强度", + "pressure": "压力", + "reactive_power": "无功功率", + "sound_pressure": "声压", + "speed": "速度", + "sulphur_dioxide": "二氧化硫", + "vocs": "挥发性有机化合物", + "volume_flow_rate": "体积流量", + "stored_volume": "储存量", + "weight": "重量", + "available_tones": "可用警报声", + "end_time": "结束时间", + "start_time": "开始时间", + "managed_via_ui": "通过用户界面管理", + "next_event": "下个事件", + "stopped": "已停止", "running_automations": "运行自动化", - "max_running_scripts": "最大运行脚本数", + "id": "ID", + "max_running_automations": "最大运行自动化数", "parallel": "并行", "queued": "排队", "single": "单点", - "end_time": "结束时间", - "start_time": "开始时间", - "recording": "录制中", - "streaming": "监控中", - "access_token": "访问令牌", - "brand": "品牌", - "stream_type": "流类型", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "型号", - "bluetooth_le": "低功耗蓝牙", - "gps": "GPS", - "router": "路由器", - "cool": "制冷", - "dry": "除湿", - "fan_only": "仅送风", - "heat_cool": "制热/制冷", - "aux_heat": "辅助加热", - "current_humidity": "当前湿度", - "current_temperature": "Current Temperature", - "diffuse": "扩散", - "top": "顶部", - "current_action": "当前动作", - "heating": "制热", - "preheating": "预热", - "max_target_humidity": "最大目标湿度", - "max_target_temperature": "最高目标温度", - "min_target_humidity": "最低目标湿度", - "min_target_temperature": "最低目标温度", - "boost": "强劲", - "comfort": "舒适", - "eco": "节能", - "sleep": "睡眠", - "both": "同时", - "horizontal": "水平", - "upper_target_temperature": "提高目标温度", - "lower_target_temperature": "降低目标温度", - "target_temperature_step": "目标温度步长", + "not_charging": "未在充电", + "no_light": "无光", + "light_detected": "有光", + "not_moving": "没有移动", + "not_running": "未在运行", + "tampering_detected": "检测到自身被拆解", "buffering": "正在缓冲", "paused": "已暂停", "playing": "正在播放", @@ -1726,82 +1784,73 @@ "receiver": "接收器", "speaker": "扬声器", "tv": "TV", - "color_mode": "Color Mode", - "brightness_only": "仅亮度", - "hs": "HS", - "rgb": "RGB", - "rgbw": "RGBW", - "rgbww": "RGBWW", - "xy": "XY", - "color_temperature_mireds": "色温(米德)", - "color_temperature_kelvin": "色温(开尔文)", - "available_effects": "可用效果", - "maximum_color_temperature_kelvin": "最大色温(开尔文)", - "maximum_color_temperature_mireds": "最大色温(米德)", - "minimum_color_temperature_kelvin": "最低色温(开尔文)", - "minimum_color_temperature_mireds": "最低色温(米德)", - "available_color_modes": "可用的颜色模式", - "event_type": "事件类型", - "doorbell": "门铃", - "available_tones": "可用警报声", - "members": "成员", - "managed_via_ui": "通过用户界面管理", - "id": "ID", - "max_running_automations": "最大运行自动化数", - "finishes_at": "完成于", - "remaining": "剩余", - "next_event": "下个事件", - "update_available": "有可用更新", - "auto_update": "自动更新", - "in_progress": "进行中", - "installed_version": "安装版本", - "release_summary": "正式版摘要", - "release_url": "正式版网址", - "skipped_version": "跳过版本", - "firmware": "固件", - "apparent_power": "视在功率", - "atmospheric_pressure": "大气压", - "carbon_dioxide": "二氧化碳", - "data_rate": "数据速率", - "distance": "距离", - "stored_energy": "储存能量", - "frequency": "频率", - "irradiance": "辐照度", - "nitrogen_dioxide": "二氧化氮", - "nitrogen_monoxide": "一氧化氮", - "nitrous_oxide": "一氧化二氮", - "ozone": "臭氧", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "功率因数", - "precipitation_intensity": "降水强度", - "pressure": "压力", - "reactive_power": "无功功率", - "signal_strength": "信号强度", - "sound_pressure": "声压", - "speed": "速度", - "sulphur_dioxide": "二氧化硫", - "vocs": "挥发性有机化合物", - "volume_flow_rate": "体积流量", - "stored_volume": "储存量", - "weight": "重量", - "stopped": "已停止", - "pattern": "图案", + "above_horizon": "白天(日出至日落)", + "below_horizon": "夜晚(日落至日出)", + "speed_step": "速度步进", + "available_preset_modes": "可用的预设模式", "armed_custom_bypass": "已布防自定义旁路", "disarming": "正在撤防", - "detected": "已触发", "changed_by": "更改者", "code_for_arming": "布防代码", "not_required": "非必要项", "code_format": "代码格式", + "gps_accuracy": "GPS 精度", + "bluetooth_le": "低功耗蓝牙", + "gps": "GPS", + "router": "路由器", + "event_type": "事件类型", + "doorbell": "门铃", + "device_trackers": "设备追踪器", + "max_running_scripts": "最大运行脚本数", + "jammed": "卡住", + "cool": "制冷", + "fan_only": "仅送风", + "heat_cool": "制热/制冷", + "aux_heat": "辅助加热", + "current_humidity": "当前湿度", + "current_temperature": "Current Temperature", + "diffuse": "扩散", + "top": "顶部", + "current_action": "当前动作", + "heating": "制热", + "preheating": "预热", + "max_target_humidity": "最大目标湿度", + "max_target_temperature": "最高目标温度", + "min_target_humidity": "最低目标湿度", + "min_target_temperature": "最低目标温度", + "boost": "强劲", + "comfort": "舒适", + "eco": "节能", + "sleep": "睡眠", + "both": "同时", + "horizontal": "水平", + "upper_target_temperature": "提高目标温度", + "lower_target_temperature": "降低目标温度", + "target_temperature_step": "目标温度步长", "last_reset": "上次重置", "possible_states": "可能的状态", "state_class": "状态类别", "measurement": "测量", "total": "总计", "total_increasing": "总增量", + "conductivity": "电导率", "data_size": "数据大小", "timestamp": "时间戳", + "color_mode": "Color Mode", + "brightness_only": "仅亮度", + "hs": "HS", + "rgb": "RGB", + "rgbw": "RGBW", + "rgbww": "RGBWW", + "xy": "XY", + "color_temperature_mireds": "色温(米德)", + "color_temperature_kelvin": "色温(开尔文)", + "available_effects": "可用效果", + "maximum_color_temperature_kelvin": "最大色温(开尔文)", + "maximum_color_temperature_mireds": "最大色温(米德)", + "minimum_color_temperature_kelvin": "最低色温(开尔文)", + "minimum_color_temperature_mireds": "最低色温(米德)", + "available_color_modes": "可用的颜色模式", "sunny": "晴", "cloudy": "阴", "exceptional": "特殊", @@ -1822,52 +1871,79 @@ "uv_index": "紫外线指数", "wind_bearing": "风向", "wind_gust_speed": "阵风风速", - "above_horizon": "白天(日出至日落)", - "below_horizon": "夜晚(日落至日出)", - "speed_step": "速度步进", - "available_preset_modes": "可用的预设模式", - "jammed": "卡住", - "identify": "确认", - "not_charging": "未在充电", - "no_light": "无光", - "light_detected": "有光", - "wet": "潮湿", - "not_moving": "没有移动", - "not_running": "未在运行", + "recording": "录制中", + "streaming": "监控中", + "access_token": "访问令牌", + "brand": "品牌", + "stream_type": "流类型", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "型号", "minute": "分钟", "second": "秒", - "location_is_already_configured": "地点已配置", - "failed_to_connect_error": "连接失败:{error}", - "invalid_api_key": "API 密钥无效", - "api_key": "API 密钥", + "pattern": "图案", + "members": "成员", + "finishes_at": "完成于", + "remaining": "剩余", + "identify": "确认", + "auto_update": "自动更新", + "in_progress": "进行中", + "installed_version": "安装版本", + "release_summary": "正式版摘要", + "release_url": "正式版网址", + "skipped_version": "跳过版本", + "firmware": "固件", + "abort_single_instance_allowed": "已经配置过了,且只能配置一次。", "user_description": "您要开始设置吗?", + "device_is_already_configured": "设备已配置", + "re_authentication_was_successful": "重新认证成功", + "re_configuration_was_successful": "重新配置成功", + "failed_to_connect": "连接失败", + "error_custom_port_not_supported": "Gen1 设备不支持自定义端口。", + "invalid_authentication": "身份验证无效", + "unexpected_error": "意外错误", + "username": "用户名", + "host": "Host", + "port": "端口", "account_is_already_configured": "账户已配置", "abort_already_in_progress": "配置流程已在进行中", - "failed_to_connect": "连接失败", "invalid_access_token": "访问令牌无效", "received_invalid_token_data": "收到无效的令牌数据。", "abort_oauth_failed": "获取访问令牌时出错。", "timeout_resolving_oauth_token": "解析 OAuth 令牌超时。", "abort_oauth_unauthorized": "获取访问令牌时出现 OAuth 授权错误。", - "re_authentication_was_successful": "重新认证成功", - "timeout_establishing_connection": "建立连接超时", - "unexpected_error": "意外错误", "successfully_authenticated": "认证成功", - "link_google_account": "关联 Google 账户", + "link_fitbit": "链接 Fitbit", "pick_authentication_method": "选择身份验证方法", "authentication_expired_for_name": "”{name}“的身份验证已过期", - "service_is_already_configured": "服务已配置", - "confirm_description": "您想设置{name}吗?", - "device_is_already_configured": "设备已配置", - "abort_no_devices_found": "网络上未找到任何设备", - "connection_error_error": "连接错误:{error}", - "invalid_authentication_error": "身份验证无效:{error}", - "name_model_host": "{name} {model} ({host})", - "username": "用户名", - "authenticate": "认证", - "host": "Host", - "abort_single_instance_allowed": "已经配置过了,且只能配置一次。", "component_cloud_config_step_other": "空", + "service_is_already_configured": "服务已配置", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "您要设置”{name}“吗 ?", + "adapter": "适配器", + "multiple_adapters_description": "选择要设置的蓝牙适配器", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API 密钥", + "configure_daikin_ac": "配置大金空调", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1883,6 +1959,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "无法连接。详细信息:{error_detail}", + "unknown_details_error_detail": "未知。详细信息:{error_detail}", + "uses_an_ssl_certificate": "使用 SSL 证书", + "verify_ssl_certificate": "验证 SSL 证书", + "timeout_establishing_connection": "建立连接超时", + "link_google_account": "关联 Google 账户", + "abort_no_devices_found": "网络上未找到任何设备", + "connection_error_error": "连接错误:{error}", + "invalid_authentication_error": "身份验证无效:{error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "认证", + "device_class": "设备类别", + "state_template": "状态模板", + "template_binary_sensor": "创建二元传感器模板", + "template_sensor": "创建模板传感器", + "template_a_binary_sensor": "二元传感器模板", + "template_a_sensor": "传感器模板", + "template_helper": "模板辅助", + "location_is_already_configured": "地点已配置", + "failed_to_connect_error": "连接失败:{error}", + "invalid_api_key": "API 密钥无效", + "pin_code": "PIN 码", + "discovered_android_tv": "已发现 Android TV", + "known_hosts": "已知主机", + "google_cast_configuration": "Google Cast 配置", "abort_invalid_host": "主机名或 IP 地址无效", "device_not_supported": "设备不支持", "name_model_at_host": "{name} ({model} 位于 {host})", @@ -1892,30 +1993,6 @@ "yes_do_it": "是,执行。", "unlock_the_device_optional": "解锁设备(可选)", "connect_to_the_device": "连接到设备", - "no_port_for_endpoint": "端点无端口", - "abort_no_services": "在端点找不到服务", - "port": "端口", - "discovered_wyoming_service": "已发现 Wyoming 服务", - "invalid_authentication": "身份验证无效", - "two_factor_code": "双重认证代码", - "two_factor_authentication": "双重身份验证", - "sign_in_with_ring_account": "使用铃账户登录", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "链接 Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "出生消息主题无效", "error_bad_certificate": "CA 证书无效", "invalid_discovery_prefix": "无效的发现前缀", @@ -1939,8 +2016,9 @@ "path_is_not_allowed": "路径不允许", "path_is_not_valid": "路径无效", "path_to_file": "文件路径", - "known_hosts": "已知主机", - "google_cast_configuration": "Google Cast 配置", + "api_error_occurred": "发生 API 错误", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "启用 HTTPS", "abort_mdns_missing_mac": "MDNS 属性中缺少 MAC 地址。", "abort_mqtt_missing_api": "MQTT 属性中缺少 API 端口。", "abort_mqtt_missing_ip": "MQTT 属性中缺少 IP 地址。", @@ -1948,15 +2026,40 @@ "service_received": "收到服务", "discovered_esphome_node": "已发现 ESPHome 节点", "encryption_key": "加密密钥", - "all_entities": "所有实体", - "hide_members": "隐藏成员", - "add_group": "创建群组", - "device_class": "设备类别", - "ignore_non_numeric": "忽略非数值", - "data_round_digits": "将值四舍五入到小数位数", - "type": "类型", - "binary_sensor_group": "二元传感器组", - "cover_group": "窗帘/卷帘组", + "no_port_for_endpoint": "端点无端口", + "abort_no_services": "在端点找不到服务", + "discovered_wyoming_service": "已发现 Wyoming 服务", + "abort_api_error": "与 SwitchBot API 通信时出错:{error_detail}", + "unsupported_switchbot_type": "不支持的 Switchbot 类型。", + "authentication_failed_error_detail": "身份验证失败: {error_detail}", + "error_encryption_key_invalid": "密钥 ID 或加密密钥无效", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot 账户(推荐)", + "menu_options_lock_key": "手动输入锁定加密密钥", + "key_id": "密钥 ID", + "password_description": "用于保护备份的密码。", + "device_address": "设备地址", + "component_switchbot_config_error_other": " ", + "meteorologisk_institutt": "挪威气象局", + "two_factor_code": "双重认证代码", + "two_factor_authentication": "双重身份验证", + "sign_in_with_ring_account": "使用铃账户登录", + "bridge_is_already_configured": "桥接器已配置完成", + "no_deconz_bridges_discovered": "未发现 deCONZ 桥接器", + "abort_no_hardware_available": "没有无线电硬件连接到 deCONZ", + "abort_updated_instance": "使用新主机地址更新了 deCONZ 实例", + "error_linking_not_possible": "无法与网关链接", + "error_no_key": "无法获取 API 密钥", + "link_with_deconz": "连接 deCONZ", + "select_discovered_deconz_gateway": "选择已发现的 deCONZ 网关", + "all_entities": "所有实体", + "hide_members": "隐藏成员", + "add_group": "创建群组", + "ignore_non_numeric": "忽略非数值", + "data_round_digits": "将值四舍五入到小数位数", + "type": "类型", + "binary_sensor_group": "二元传感器组", + "cover_group": "窗帘/卷帘组", "event_group": "事件组", "fan_group": "风扇组", "light_group": "灯组", @@ -1964,84 +2067,50 @@ "media_player_group": "媒体播放器组", "sensor_group": "传感器组", "switch_group": "开关组", - "name_already_exists": "名称已存在", - "passive": "被动", - "define_zone_parameters": "定义区域参数", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "重新配置成功", - "error_custom_port_not_supported": "Gen1 设备不支持自定义端口。", "abort_alternative_integration": "该设备在另一集成能提供更好的支持", "abort_discovery_error": "未发现可用的 DLNA 设备", "abort_incomplete_config": "配置缺少必要的变量信息", "manual_description": "设备描述 XML 文件 URL", "manual_title": "手动配置 DLNA DMR 设备连接", "discovered_dlna_dmr_devices": "已发现 DLNA DMR 设备", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "名称已存在", + "passive": "被动", + "define_zone_parameters": "定义区域参数", "calendar_name": "日历名称", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "bluetooth_confirm_description": "您要设置”{name}“吗 ?", - "adapter": "适配器", - "multiple_adapters_description": "选择要设置的蓝牙适配器", - "cannot_connect_details_error_detail": "无法连接。详细信息:{error_detail}", - "unknown_details_error_detail": "未知。详细信息:{error_detail}", - "uses_an_ssl_certificate": "使用 SSL 证书", - "verify_ssl_certificate": "验证 SSL 证书", - "configure_daikin_ac": "配置大金空调", - "pin_code": "PIN 码", - "discovered_android_tv": "已发现 Android TV", - "state_template": "状态模板", - "template_binary_sensor": "模板二进制传感器", - "template_sensor": "模板传感器", - "template_a_binary_sensor": "创建二进制Template传感器", - "template_a_sensor": "创建Template传感器", - "template_helper": "模板辅助", - "bridge_is_already_configured": "桥接器已配置完成", - "no_deconz_bridges_discovered": "未发现 deCONZ 桥接器", - "abort_no_hardware_available": "没有无线电硬件连接到 deCONZ", - "abort_updated_instance": "使用新主机地址更新了 deCONZ 实例", - "error_linking_not_possible": "无法与网关链接", - "error_no_key": "无法获取 API 密钥", - "link_with_deconz": "连接 deCONZ", - "select_discovered_deconz_gateway": "选择已发现的 deCONZ 网关", - "abort_api_error": "与 SwitchBot API 通信时出错:{error_detail}", - "unsupported_switchbot_type": "不支持的 Switchbot 类型。", - "authentication_failed_error_detail": "身份验证失败: {error_detail}", - "error_encryption_key_invalid": "密钥 ID 或加密密钥无效", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot 账户(推荐)", - "menu_options_lock_key": "手动输入锁定加密密钥", - "key_id": "密钥 ID", - "password_description": "用于保护备份的密码。", - "device_address": "设备地址", - "component_switchbot_config_error_other": " ", - "meteorologisk_institutt": "挪威气象局", - "api_error_occurred": "发生 API 错误", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "启用 HTTPS", - "enable_the_conversation_agent": "启用对话代理", - "language_code": "语言代码", - "select_test_server": "选择测试服务器", - "data_allow_nameless_uuids": "当前允许的 UUID 。取消选中可移除对应项", - "minimum_rssi": "最低 RSSI", - "data_new_uuid": "输入新允许的 UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "蓝牙扫描仪模式", + "passive_scanning": "被动扫描", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2124,6 +2193,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "启用对话代理", + "language_code": "语言代码", + "data_process": "要添加传感器的进程", + "data_app_delete": "勾选删除此应用程序", + "application_icon": "应用程序图标", + "application_id": "应用程序标识符", + "application_name": "应用程序名称", + "configure_application_id_app_id": "配置应用程序标识符“{app_id}”", + "configure_android_apps": "配置 Android 应用", + "configure_applications_list": "配置应用程序列表", + "data_allow_nameless_uuids": "当前允许的 UUID 。取消选中可移除对应项", + "minimum_rssi": "最低 RSSI", + "data_new_uuid": "输入新允许的 UUID", + "data_calendar_access": "Home Assistant 访问 Google 日历", + "ignore_cec": "忽略 CEC", + "allowed_uuids": "允许的 UUID", + "advanced_google_cast_configuration": "高级 Google Cast 配置", "broker_options": "代理选项", "enable_birth_message": "启用出生消息", "birth_message_payload": "出生消息有效载荷", @@ -2137,117 +2223,55 @@ "will_message_retain": "留言会保留吗", "will_message_topic": "遗嘱消息主题", "mqtt_options": "MQTT 选项", - "ignore_cec": "忽略 CEC", - "allowed_uuids": "允许的 UUID", - "advanced_google_cast_configuration": "高级 Google Cast 配置", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "蓝牙扫描仪模式", + "protocol": "协议", + "select_test_server": "选择测试服务器", + "retry_count": "重试次数", + "allow_deconz_clip_sensors": "允许 deCONZ CLIP 传感器", + "allow_deconz_light_groups": "允许 deCONZ 灯组", + "data_allow_new_devices": "允许自动添加新设备", + "deconz_devices_description": "配置 deCONZ 设备类型的可见性", + "deconz_options": "deCONZ 选项", "invalid_url": "无效 URL", "data_browse_unfiltered": "浏览时显示不兼容的媒体", "event_listener_callback_url": "事件监听器的回调 URL", "data_listen_port": "事件监听器端口(如不指定则随机端口号)", "poll_for_device_availability": "轮询设备可用性", "init_title": "DLNA 数字媒体渲染器配置", - "passive_scanning": "被动扫描", - "allow_deconz_clip_sensors": "允许 deCONZ CLIP 传感器", - "allow_deconz_light_groups": "允许 deCONZ 灯组", - "data_allow_new_devices": "允许自动添加新设备", - "deconz_devices_description": "配置 deCONZ 设备类型的可见性", - "deconz_options": "deCONZ 选项", - "retry_count": "重试次数", - "data_calendar_access": "Home Assistant 访问 Google 日历", - "protocol": "协议", - "data_process": "要添加传感器的进程", - "toggle_entity_name": "切换 {entity_name}", - "close_entity_name": "关闭 {entity_name}", - "turn_on_entity_name": "开启 {entity_name}", - "entity_name_is_off": "{entity_name} 已关闭", - "entity_name_is_on": "{entity_name} 已开启", - "trigger_type_changed_states": "{entity_name} 打开或关闭", - "entity_name_is_home": "{entity_name} 在家", - "entity_name_is_not_home": "{entity_name} 不在家", - "entity_name_enters_a_zone": "{entity_name} 进入指定区域", - "entity_name_leaves_a_zone": "{entity_name} 离开指定区域", - "action_type_set_hvac_mode": "更改“{entity_name}”上的暖通空调模式", - "change_preset_on_entity_name": "更改“{entity_name}”上的预设", - "entity_name_measured_humidity_changed": "{entity_name}测量到室内湿度变化", - "entity_name_measured_temperature_changed": "{entity_name}测量到室内温度变化", - "entity_name_hvac_mode_changed": "{entity_name}的暖通空调模式变化", - "entity_name_is_buffering": "{entity_name} 正在缓冲", - "entity_name_is_idle": "{entity_name} 空闲", - "entity_name_is_paused": "{entity_name} 暂停", - "entity_name_is_playing": "{entity_name} 正在播放", - "entity_name_starts_buffering": "{entity_name} 开始缓冲", - "entity_name_starts_playing": "{entity_name} 开始播放", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "第一个按钮", "second_button": "第二个按钮", "third_button": "第三个按钮", "fourth_button": "第四个按钮", - "fifth_button": "第五个按钮", - "sixth_button": "第六个按钮", - "subtype_double_clicked": "“ {subtype} ”双击", - "subtype_continuously_pressed": "“ {subtype} ”连续按下", - "trigger_type_button_long_release": "\"{subtype}\" 长按后松开", - "subtype_quadruple_clicked": "\"{subtype}\" 四连击", - "subtype_quintuple_clicked": "单击“ {subtype} ”五连击", - "subtype_pressed": "\"{subtype}\"已按下", - "subtype_released": "\"{subtype}\"已释放", - "subtype_triple_clicked": "\"{subtype}\"三连击", - "decrease_entity_name_brightness": "降低”{entity_name}“亮度", - "increase_entity_name_brightness": "提高”{entity_name}“亮度", - "flash_entity_name": "使”{entity_name}“闪烁", - "action_type_select_first": "将”{entity_name}“更改为第一个选项", - "action_type_select_last": "将”{entity_name}“更改为最后一个选项", - "action_type_select_next": "将”{entity_name}“更改为下一选项", - "change_entity_name_option": "更改”{entity_name}“的选项", - "action_type_select_previous": "将”{entity_name}“更改为上一选项", - "current_entity_name_selected_option": "当前”{entity_name}“选择项", - "entity_name_option_changed": "”{entity_name}“的选项已更改", - "entity_name_update_availability_changed": "{entity_name} 的更新可用性变化", - "entity_name_became_up_to_date": "{entity_name} 变为最新状态", - "trigger_type_turned_on": "{entity_name} 收到更新", "subtype_button_down": "{subtype} 按钮向下", "subtype_button_up": "{subtype} 按钮向上", + "subtype_double_clicked": "“ {subtype} ”双击", "subtype_double_push": "{subtype} 按两次", "subtype_long_push": "{subtype} 长按", "trigger_type_long_single": "{subtype} 长按后单击", "subtype_single_clicked": "{subtype} 单击", "trigger_type_single_long": "{subtype} 单击后长按", "subtype_single_push": "{subtype} 按一次", + "subtype_triple_clicked": "\"{subtype}\"三连击", "subtype_triple_push": "{subtype} 按三次", "set_value_for_entity_name": "设置 {entity_name} 的值", + "value": "值", + "close_entity_name": "关闭 {entity_name}", "close_entity_name_tilt": "倾闭 {entity_name}", "open_entity_name": "打开 {entity_name}", "open_entity_name_tilt": "倾开 {entity_name}", "set_entity_name_position": "设置 {entity_name} 的位置", "set_entity_name_tilt_position": "设置 {entity_name} 的倾斜位置", "stop_entity_name": "停止 {entity_name}", + "entity_name_closed": "{entity_name} 已关闭", "entity_name_closing": "{entity_name} 正在关闭", "entity_name_is_open": "{entity_name} 打开着", "entity_name_opening": "{entity_name} 正在打开", @@ -2256,11 +2280,110 @@ "entity_name_opened": "{entity_name} 被打开", "entity_name_position_changes": "{entity_name} 位置变化", "entity_name_tilt_position_changes": "{entity_name} 倾斜位置变化", - "send_a_notification": "发送通知", - "arm_entity_name_away": "{entity_name} 离家布防", - "arm_entity_name_home": "{entity_name} 在家布防", - "arm_entity_name_night": "{entity_name} 夜间布防", - "arm_entity_name_vacation": "{entity_name} 度假布防", + "entity_name_battery_low": "{entity_name} 电池电量低", + "entity_name_is_charging": "{entity_name} 正在充电中", + "condition_type_is_co": "{entity_name} 检测到一氧化碳", + "entity_name_is_cold": "{entity_name} 过冷", + "entity_name_connected": "{entity_name} 已连接", + "entity_name_is_detecting_gas": "{entity_name} 检测到燃气泄漏", + "entity_name_is_hot": "{entity_name} 过热", + "entity_name_is_detecting_light": "{entity_name} 检测到光线", + "entity_name_is_locked": "{entity_name} 已锁上", + "entity_name_is_moist": "{entity_name} 潮湿", + "entity_name_is_detecting_motion": "{entity_name} 检测到有人", + "entity_name_is_moving": "{entity_name} 正在移动", + "condition_type_is_no_co": "{entity_name} 未检测到一氧化碳", + "condition_type_is_no_gas": "{entity_name} 未检测到燃气泄漏", + "condition_type_is_no_light": "{entity_name} 未检测到光线", + "condition_type_is_no_motion": "{entity_name} 未检测到有人", + "condition_type_is_no_problem": "{entity_name} 未发现问题", + "condition_type_is_no_smoke": "{entity_name} 未检测到烟雾", + "condition_type_is_no_sound": "{entity_name} 未检测到声音", + "entity_name_is_up_to_date": "{entity_name} 已是最新", + "condition_type_is_no_vibration": "{entity_name} 未检测到振动", + "entity_name_battery_normal": "{entity_name} 电池电量正常", + "entity_name_is_not_charging": "{entity_name} 未充电中", + "entity_name_is_not_cold": "{entity_name} 不冷", + "entity_name_is_disconnected": "{entity_name} 已断开", + "entity_name_is_not_hot": "{entity_name} 不热", + "entity_name_is_unlocked": "{entity_name} 已解锁", + "entity_name_is_dry": "{entity_name} 干燥", + "entity_name_is_not_moving": "{entity_name} 静止", + "entity_name_is_not_occupied": "{entity_name} 无人", + "entity_name_is_unplugged": "{entity_name} 未插入", + "entity_name_is_not_powered": "{entity_name} 未通电", + "entity_name_not_present": "{entity_name} 不在家", + "entity_name_is_not_running": "{entity_name} 未在运行", + "condition_type_is_not_tampered": "{entity_name} 未被拆解", + "entity_name_is_safe": "{entity_name} 安全", + "entity_name_is_occupied": "{entity_name} 有人", + "entity_name_is_on": "{entity_name} 已开启", + "entity_name_is_plugged_in": "{entity_name} 已插入", + "entity_name_is_powered": "{entity_name} 已通电", + "entity_name_present": "{entity_name} 在家", + "entity_name_is_detecting_problem": "{entity_name} 检测到异常", + "entity_name_is_running": "{entity_name} 正在运行", + "entity_name_is_detecting_smoke": "{entity_name} 检测到烟雾", + "entity_name_is_detecting_sound": "{entity_name} 检测到声音", + "entity_name_is_detecting_tampering": "{entity_name} 正被拆解", + "entity_name_is_unsafe": "{entity_name} 不安全", + "condition_type_is_update": "{entity_name} 有可用更新", + "entity_name_is_detecting_vibration": "{entity_name} 检测到振动", + "entity_name_charging": "{entity_name} 充电中", + "trigger_type_co": "{entity_name} 开始检测到一氧化碳泄漏", + "entity_name_became_cold": "{entity_name} 变冷", + "entity_name_started_detecting_gas": "{entity_name} 开始检测到燃气泄漏", + "entity_name_became_hot": "{entity_name} 变热", + "entity_name_started_detecting_light": "{entity_name} 开始检测到光线", + "entity_name_locked": "{entity_name} 被锁定", + "entity_name_became_moist": "{entity_name} 变湿", + "entity_name_started_detecting_motion": "{entity_name} 检测到有人移动", + "entity_name_started_moving": "{entity_name} 开始移动", + "trigger_type_no_co": "{entity_name} 不再检测到一氧化碳泄漏", + "entity_name_stopped_detecting_gas": "{entity_name} 不再检测到燃气泄漏", + "entity_name_stopped_detecting_light": "{entity_name} 不再检测到光线", + "entity_name_stopped_detecting_motion": "{entity_name} 不再检测到有人", + "entity_name_stopped_detecting_problem": "{entity_name} 异常解除", + "entity_name_stopped_detecting_smoke": "{entity_name} 不再检测到烟雾", + "entity_name_stopped_detecting_sound": "{entity_name} 不再检测到声音", + "entity_name_became_up_to_date": "{entity_name} 转为最新状态", + "entity_name_stopped_detecting_vibration": "{entity_name} 不再检测到振动", + "entity_name_not_charging": "{entity_name} 未在充电", + "entity_name_became_not_cold": "{entity_name} 不冷了", + "entity_name_disconnected": "{entity_name} 断开连接", + "entity_name_became_not_hot": "{entity_name} 不热了", + "entity_name_unlocked": "{entity_name} 被解锁", + "entity_name_became_dry": "{entity_name} 变干", + "entity_name_stopped_moving": "{entity_name} 停止移动", + "entity_name_became_not_occupied": "{entity_name} 不再有人", + "entity_name_unplugged": "{entity_name} 被拔出", + "entity_name_not_powered": "{entity_name} 断电", + "trigger_type_not_running": "{entity_name} 不再运行", + "entity_name_stopped_detecting_tampering": "{entity_name} 不再检测到自身被拆解", + "entity_name_became_safe": "{entity_name} 安全了", + "entity_name_plugged_in": "{entity_name} 被插入", + "entity_name_powered": "{entity_name} 上电", + "entity_name_started_detecting_problem": "{entity_name} 发现问题", + "entity_name_started_running": "{entity_name} 开始运行", + "entity_name_started_detecting_smoke": "{entity_name} 开始检测到烟雾", + "entity_name_started_detecting_sound": "{entity_name} 开始检测到声音", + "entity_name_started_detecting_tampering": "{entity_name} 开始检测到自身被拆解", + "entity_name_became_unsafe": "{entity_name} 不再安全", + "trigger_type_update": "{entity_name} 检测到更新", + "entity_name_started_detecting_vibration": "{entity_name} 开始检测到振动", + "entity_name_is_buffering": "{entity_name} 正在缓冲", + "entity_name_is_idle": "{entity_name} 空闲", + "entity_name_is_paused": "{entity_name} 暂停", + "entity_name_is_playing": "{entity_name} 正在播放", + "entity_name_starts_buffering": "{entity_name} 开始缓冲", + "trigger_type_changed_states": "{entity_name} 打开或关闭", + "entity_name_starts_playing": "{entity_name} 开始播放", + "toggle_entity_name": "切换 {entity_name}", + "turn_on_entity_name": "开启 {entity_name}", + "arm_entity_name_away": "{entity_name} 离家布防", + "arm_entity_name_home": "{entity_name} 在家布防", + "arm_entity_name_night": "{entity_name} 夜间布防", + "arm_entity_name_vacation": "{entity_name} 度假布防", "disarm_entity_name": "撤防 {entity_name}", "trigger_entity_name": "触发 {entity_name}", "entity_name_is_armed_away": "{entity_name} 已开启离家布防", @@ -2269,12 +2392,23 @@ "entity_name_is_armed_vacation": "{entity_name} 已开启度假布防", "entity_name_disarmed": "{entity_name} 已撤防", "entity_name_triggered": "{entity_name} 已触发", + "entity_name_enters_a_zone": "{entity_name} 进入指定区域", + "entity_name_leaves_a_zone": "{entity_name} 离开指定区域", + "lock_entity_name": "锁定 {entity_name}", + "unlock_entity_name": "解锁 {entity_name}", + "action_type_set_hvac_mode": "更改“{entity_name}”上的暖通空调模式", + "change_preset_on_entity_name": "更改“{entity_name}”上的预设", + "to": "到", + "entity_name_measured_humidity_changed": "{entity_name}测量到室内湿度变化", + "entity_name_measured_temperature_changed": "{entity_name}测量到室内温度变化", + "entity_name_hvac_mode_changed": "{entity_name}的暖通空调模式变化", "current_entity_name_apparent_power": "{entity_name} 当前的视在功率", "condition_type_is_aqi": "当前 {entity_name} 空气质量指数", "current_entity_name_atmospheric_pressure": "当前 {entity_name} 大气压", "current_entity_name_battery_level": "{entity_name} 当前的电池电量", "condition_type_is_carbon_dioxide": "{entity_name} 当前的二氧化碳浓度水平", "condition_type_is_carbon_monoxide": "{entity_name} 当前的一氧化碳浓度水平", + "current_entity_name_conductivity": "电流 {entity_name} 电导率", "current_entity_name_current": "{entity_name} 当前的电流", "current_entity_name_data_rate": "当前 {entity_name} 数据速率", "current_entity_name_data_size": "当前 {entity_name} 数据大小", @@ -2319,6 +2453,7 @@ "entity_name_battery_level_changes": "{entity_name} 的电池电量变化", "trigger_type_carbon_dioxide": "{entity_name} 二氧化碳浓度变化", "trigger_type_carbon_monoxide": "{entity_name} 一氧化碳浓度变化", + "entity_name_conductivity_changes": "{entity_name} 电导率变化", "entity_name_current_changes": "{entity_name} 的电流变化", "entity_name_data_rate_changes": "{entity_name} 数据速率变化", "entity_name_data_size_changes": "{entity_name} 数据大小变化", @@ -2357,95 +2492,28 @@ "entity_name_water_changes": "{entity_name} 的水量变化", "entity_name_weight_changes": "{entity_name} 重量变化", "entity_name_wind_speed_changes": "{entity_name} 风速变化", - "press_entity_name_button": "按下“{entity_name}”按钮", - "entity_name_has_been_pressed": "{entity_name} 被按下", - "entity_name_battery_low": "{entity_name} 电池电量低", - "entity_name_is_charging": "{entity_name} 正在充电中", - "condition_type_is_co": "{entity_name} 检测到一氧化碳", - "entity_name_is_cold": "{entity_name} 过冷", - "entity_name_connected": "{entity_name} 已连接", - "entity_name_is_detecting_gas": "{entity_name} 检测到燃气泄漏", - "entity_name_is_hot": "{entity_name} 过热", - "entity_name_is_detecting_light": "{entity_name} 检测到光线", - "entity_name_is_locked": "{entity_name} 已锁上", - "entity_name_is_moist": "{entity_name} 潮湿", - "entity_name_is_detecting_motion": "{entity_name} 检测到有人", - "entity_name_is_moving": "{entity_name} 正在移动", - "condition_type_is_no_co": "{entity_name} 未检测到一氧化碳", - "condition_type_is_no_gas": "{entity_name} 未检测到燃气泄漏", - "condition_type_is_no_light": "{entity_name} 未检测到光线", - "condition_type_is_no_motion": "{entity_name} 未检测到有人", - "condition_type_is_no_problem": "{entity_name} 未发现问题", - "condition_type_is_no_smoke": "{entity_name} 未检测到烟雾", - "condition_type_is_no_sound": "{entity_name} 未检测到声音", - "entity_name_is_up_to_date": "{entity_name} 已是最新", - "condition_type_is_no_vibration": "{entity_name} 未检测到振动", - "entity_name_battery_normal": "{entity_name} 电池电量正常", - "entity_name_is_not_charging": "{entity_name} 未充电中", - "entity_name_is_not_cold": "{entity_name} 不冷", - "entity_name_is_disconnected": "{entity_name} 已断开", - "entity_name_is_not_hot": "{entity_name} 不热", - "entity_name_is_unlocked": "{entity_name} 已解锁", - "entity_name_is_dry": "{entity_name} 干燥", - "entity_name_is_not_moving": "{entity_name} 静止", - "entity_name_is_not_occupied": "{entity_name} 无人", - "entity_name_is_unplugged": "{entity_name} 未插入", - "entity_name_is_not_powered": "{entity_name} 未通电", - "entity_name_is_not_running": "{entity_name} 未在运行", - "condition_type_is_not_tampered": "{entity_name} 未被拆解", - "entity_name_is_safe": "{entity_name} 安全", - "entity_name_is_occupied": "{entity_name} 有人", - "entity_name_is_plugged_in": "{entity_name} 已插入", - "entity_name_is_powered": "{entity_name} 已通电", - "entity_name_is_detecting_problem": "{entity_name} 检测到异常", - "entity_name_is_running": "{entity_name} 正在运行", - "entity_name_is_detecting_smoke": "{entity_name} 检测到烟雾", - "entity_name_is_detecting_sound": "{entity_name} 检测到声音", - "entity_name_is_detecting_tampering": "{entity_name} 正被拆解", - "entity_name_is_unsafe": "{entity_name} 不安全", - "condition_type_is_update": "{entity_name} 有可用更新", - "entity_name_is_detecting_vibration": "{entity_name} 检测到振动", - "entity_name_charging": "{entity_name} 充电中", - "trigger_type_co": "{entity_name} 开始检测到一氧化碳泄漏", - "entity_name_became_cold": "{entity_name} 变冷", - "entity_name_started_detecting_gas": "{entity_name} 开始检测到燃气泄漏", - "entity_name_became_hot": "{entity_name} 变热", - "entity_name_started_detecting_light": "{entity_name} 开始检测到光线", - "entity_name_locked": "{entity_name} 被锁定", - "entity_name_became_moist": "{entity_name} 变湿", - "entity_name_started_detecting_motion": "{entity_name} 检测到有人移动", - "entity_name_started_moving": "{entity_name} 开始移动", - "trigger_type_no_co": "{entity_name} 不再检测到一氧化碳泄漏", - "entity_name_stopped_detecting_gas": "{entity_name} 不再检测到燃气泄漏", - "entity_name_stopped_detecting_light": "{entity_name} 不再检测到光线", - "entity_name_stopped_detecting_motion": "{entity_name} 不再检测到有人", - "entity_name_stopped_detecting_problem": "{entity_name} 异常解除", - "entity_name_stopped_detecting_smoke": "{entity_name} 不再检测到烟雾", - "entity_name_stopped_detecting_sound": "{entity_name} 不再检测到声音", - "entity_name_stopped_detecting_vibration": "{entity_name} 不再检测到振动", - "entity_name_not_charging": "{entity_name} 未在充电", - "entity_name_became_not_cold": "{entity_name} 不冷了", - "entity_name_disconnected": "{entity_name} 断开连接", - "entity_name_became_not_hot": "{entity_name} 不热了", - "entity_name_unlocked": "{entity_name} 被解锁", - "entity_name_became_dry": "{entity_name} 变干", - "entity_name_stopped_moving": "{entity_name} 停止移动", - "entity_name_became_not_occupied": "{entity_name} 不再有人", - "entity_name_unplugged": "{entity_name} 被拔出", - "entity_name_not_powered": "{entity_name} 断电", - "trigger_type_not_running": "{entity_name} 不再运行", - "entity_name_stopped_detecting_tampering": "{entity_name} 不再检测到自身被拆解", - "entity_name_became_safe": "{entity_name} 安全了", - "entity_name_plugged_in": "{entity_name} 被插入", - "entity_name_powered": "{entity_name} 上电", - "entity_name_started_detecting_problem": "{entity_name} 发现问题", - "entity_name_started_running": "{entity_name} 开始运行", - "entity_name_started_detecting_smoke": "{entity_name} 开始检测到烟雾", - "entity_name_started_detecting_sound": "{entity_name} 开始检测到声音", - "entity_name_started_detecting_tampering": "{entity_name} 开始检测到自身被拆解", - "entity_name_became_unsafe": "{entity_name} 不再安全", - "trigger_type_update": "{entity_name} 检测到更新", - "entity_name_started_detecting_vibration": "{entity_name} 开始检测到振动", + "decrease_entity_name_brightness": "降低”{entity_name}“亮度", + "increase_entity_name_brightness": "提高”{entity_name}“亮度", + "flash_entity_name": "使”{entity_name}“闪烁", + "flash": "闪烁", + "fifth_button": "第五个按钮", + "sixth_button": "第六个按钮", + "subtype_continuously_pressed": "“ {subtype} ”连续按下", + "trigger_type_button_long_release": "\"{subtype}\" 长按后松开", + "subtype_quadruple_clicked": "\"{subtype}\" 四连击", + "subtype_quintuple_clicked": "单击“ {subtype} ”五连击", + "subtype_pressed": "\"{subtype}\"已按下", + "subtype_released": "\"{subtype}\"已释放", + "action_type_select_first": "将”{entity_name}“更改为第一个选项", + "action_type_select_last": "将”{entity_name}“更改为最后一个选项", + "action_type_select_next": "将”{entity_name}“更改为下一选项", + "change_entity_name_option": "更改”{entity_name}“的选项", + "action_type_select_previous": "将”{entity_name}“更改为上一选项", + "current_entity_name_selected_option": "当前”{entity_name}“选择项", + "cycle": "循环", + "from": "从", + "entity_name_option_changed": "”{entity_name}“的选项已更改", + "send_a_notification": "发送通知", "both_buttons": "两个按钮", "bottom_buttons": "底部按钮", "seventh_button": "第七个按钮", @@ -2471,15 +2539,23 @@ "trigger_type_remote_rotate_from_side": "设备从“第 6 面”翻转到“{subtype}”", "device_turned_clockwise": "设备顺时针转动", "device_turned_counter_clockwise": "装置逆时针转动", - "lock_entity_name": "锁定 {entity_name}", - "unlock_entity_name": "解锁 {entity_name}", - "debug": "调试", - "warning": "警告", + "press_entity_name_button": "按下“{entity_name}”按钮", + "entity_name_has_been_pressed": "{entity_name} 被按下", + "entity_name_update_availability_changed": "{entity_name} 的更新可用性变化", + "trigger_type_turned_on": "{entity_name} 收到更新", "add_to_queue": "添加到队列", "play_next": "播放下一个", "options_replace": "立即播放并清除队列", "repeat_all": "全部重复", "repeat_one": "单曲重复", + "debug": "调试", + "warning": "警告", + "most_recently_updated": "最近更新", + "arithmetic_mean": "算术平均值", + "median": "中位数", + "product": "乘积", + "statistical_range": "统计范围", + "standard_deviation": "标准差", "alice_blue": "爱丽丝蓝", "antique_white": "仿古白", "aqua": "湖绿色", @@ -2596,87 +2672,75 @@ "turquoise": "绿松色", "wheat": "小麦色", "white_smoke": "白烟色", + "fatal": "致命", "no_device_class": "无设备类别", "no_state_class": "无状态类别", "no_unit_of_measurement": "无度量单位", - "fatal": "致命", - "most_recently_updated": "最近更新", - "arithmetic_mean": "算术平均值", - "median": "中位数", - "product": "乘积", - "statistical_range": "统计范围", - "standard_deviation": "标准差", - "restart_add_on": "重新启动加载项。", - "the_add_on_slug": "加载项的英文短名字。", - "starts_an_add_on": "启动加载项。", - "start_add_on": "启动加载项", - "addon_stdin_name": "将数据写入加载项的标准输入 (stdin)。", - "stop_add_on": "停止加载项。", - "update_add_on": "更新加载项。", - "create_a_full_backup": "创建完整备份。", - "compresses_the_backup_files": "压缩备份文件。", - "compressed": "压缩", - "home_assistant_exclude_database": "Home Assistant 排除数据库", - "name_description": "可选(默认=当前日期和时间)。", - "create_a_partial_backup": "创建部分备份。", - "folders": "文件夹", - "homeassistant_description": "在备份中包括 Home Assistant 设置。", - "home_assistant_settings": "Home Assistant 设置", - "reboots_the_host_system": "重新启动系统。", - "reboot_the_host_system": "重新启动系统", - "host_shutdown_name": "关闭系统电源。", - "restore_from_full_backup": "从完整备份还原。", - "optional_password": "密码(可选)。", - "slug_description": "要恢复的备份的 Slug。", - "slug": "Slug", - "restore_partial_description": "从部分备份还原。", - "restores_home_assistant": "还原 Home Assistant 。", - "broadcast_address": "广播地址", - "broadcast_port_description": "将魔法数据包发送到的目标端口。", - "broadcast_port": "广播端口", - "mac_address": "MAC 地址", - "send_magic_packet": "发送魔法数据包", - "command_description": "发送到 Google Assistant 的命令。", - "media_player_entity": "媒体播放器实体", - "send_text_command": "发送文本命令", - "clear_tts_cache": "清除 TTS 缓存", - "cache": "缓存", - "entity_id_description": "日志条目中要引用的实体。", - "language_description": "文本的语言。默认为服务器语言。", - "options_description": "包含特定于集成的选项的字典。", - "say_a_tts_message": "说出 TTS 消息", - "media_player_entity_id_description": "用于播放消息的媒体播放器。", - "speak": "说话", - "stops_a_running_script": "停止正在运行的脚本。", + "dump_log_objects": "转储对象到日志", + "log_current_tasks_description": "记录所有当前 asyncio 任务。", + "log_current_asyncio_tasks": "记录当前 asyncio 任务", + "log_event_loop_scheduled": "记录已计划的事件循环", + "log_thread_frames_description": "记录所有线程的当前帧到日志。", + "log_thread_frames": "记录线程帧", + "lru_stats_description": "记录所有 lru 缓存的统计信息到日志。", + "log_lru_stats": "记录 LRU 统计信息", + "starts_the_memory_profiler": "启动内存分析器。", + "memory": "内存", + "set_asyncio_debug_description": "启用或禁用异步调试。", + "enabled_description": "是否启用或禁用异步调试。", + "set_asyncio_debug": "设置异步调试", + "starts_the_profiler": "启动性能分析器。", + "max_objects_description": "要记录的最大对象数。", + "maximum_objects": "最大对象数", + "scan_interval_description": "记录对象之间的秒数。", + "scan_interval": "扫描间隔", + "start_logging_object_sources": "开始记录对象源", + "start_log_objects_description": "开始记录内存中对象的增长到日志。", + "start_logging_objects": "开始记录对象", + "stop_logging_object_sources": "停止记录对象源", + "stop_log_objects_description": "停止记录内存中对象的增长。", + "stop_logging_objects": "停止记录对象", "request_sync_description": "向 Google 发送 request_sync 命令。", "agent_user_id": "代理用户 ID", "request_sync": "请求同步", - "sets_a_random_effect": "设置随机效果。", - "sequence_description": "HSV 序列的列表(最多 16 个)。", - "backgrounds": "背景", - "initial_brightness": "初始亮度。", - "range_of_brightness": "亮度的范围。", - "brightness_range": "亮度范围", - "fade_off": "淡出", - "range_of_hue": "色调的范围。", - "hue_range": "色调范围", - "initial_hsv_sequence": "初始 HSV 序列。", - "initial_states": "初始状态", - "random_seed": "随机种子", - "range_of_saturation": "饱和度的范围。", - "saturation_range": "饱和度范围", - "segments_description": "区段的列表(0 表示全部)。", - "segments": "区段", - "transition": "转换", - "range_of_transition": "转换的范围。", - "transition_range": "转换范围", - "random_effect": "随机效果", - "sets_a_sequence_effect": "设置一个序列效果。", - "repetitions_for_continuous": "重复次数(0 表示连续不断)。", - "sequence": "序列", - "speed_of_spread": "传播的速度。", - "spread": "传播", - "sequence_effect": "序列效果", + "reload_resources_description": "从 YAML 配置重新加载仪表盘资源。", + "clears_all_log_entries": "清除所有日志条目。", + "clear_all": "全部清除", + "write_log_entry": "写入日志条目。", + "log_level": "日志级别", + "level": "级别", + "message_to_log": "要记录到日志的消息。", + "write": "写入", + "set_value_description": "设置数字的值。", + "value_description": "配置参数的值。", + "create_temporary_strict_connection_url_name": "创建临时的严格连接网址", + "toggles_the_siren_on_off": "切换警报器的打开/关闭状态。", + "turns_the_siren_off": "关闭警报器。", + "turns_the_siren_on": "打开警报器。", + "tone": "警报声", + "add_event_description": "添加新的日历事件。", + "location_description": "事件地点。可选。", + "start_date_description": "一天全部事件应开始的日期。", + "create_event": "创建事件", + "get_events": "获取事件", + "list_event": "列出事件", + "closes_a_cover": "关闭卷帘。", + "close_cover_tilt_description": "倾闭卷帘。", + "close_tilt": "关闭倾斜", + "opens_a_cover": "打开卷帘。", + "tilts_a_cover_open": "倾开卷帘。", + "open_tilt": "打开倾斜", + "set_cover_position_description": "移动卷帘到指定位置。", + "target_position": "目标位置。", + "set_position": "设定位置", + "target_tilt_positition": "目标倾斜位置。", + "set_tilt_position": "设置倾斜位置", + "stops_the_cover_movement": "停止卷帘的移动。", + "stop_cover_tilt_description": "停止卷帘的倾斜移动。", + "stop_tilt": "停止倾斜", + "toggles_a_cover_open_closed": "切换卷帘的打开/关闭状态。", + "toggle_cover_tilt_description": "切换卷帘的倾开/倾闭状态。", + "toggle_tilt": "切换倾斜", "check_configuration": "检查配置", "reload_all": "全部重新加载", "reload_config_entry_description": "重新加载指定的配置项。", @@ -2698,102 +2762,45 @@ "generic_turn_off": "通用关闭", "generic_turn_on": "通用开启", "update_entity": "更新实体", - "add_event_description": "添加新的日历事件。", - "location_description": "事件地点。可选。", - "start_date_description": "一天全部事件应开始的日期。", - "create_event": "创建事件", - "get_events": "获取事件", - "list_event": "列出事件", - "toggles_a_switch_on_off": "打开/关闭开关。", - "turns_a_switch_off": "关闭开关。", - "turns_a_switch_on": "打开开关。", - "disables_the_motion_detection": "禁用运动侦测。", - "disable_motion_detection": "禁用运动侦测", - "enables_the_motion_detection": "启用运动侦测。", - "enable_motion_detection": "启用运动侦测", - "format_description": "媒体播放器支持的流格式。", - "format": "格式", - "media_player_description": "要流式传输的媒体播放器。", - "play_stream": "播放流", - "filename": "文件名", - "lookback": "回顾", - "snapshot_description": "从摄像头拍摄快照。", - "take_snapshot": "拍摄快照", - "turns_off_the_camera": "关闭摄像头。", - "turns_on_the_camera": "打开摄像头。", - "notify_description": "向选定的目标发送通知消息。", - "data": "数据", - "message_description": "通知的消息正文。", - "title_of_the_notification": "通知的标题。", - "send_a_persistent_notification": "发送持久通知", - "sends_a_notification_message": "发送通知消息。", - "your_notification_message": "你的通知消息。", - "title_description": "通知的标题(可选)。", - "send_a_notification_message": "发送通知消息", "creates_a_new_backup": "创建新的备份。", - "see_description": "记录看到的跟踪设备。", - "battery_description": "设备的电池电量。", - "gps_coordinates": "GPS坐标", - "gps_accuracy_description": "GPS 坐标的准确性。", - "hostname_of_the_device": "设备的主机名。", - "hostname": "主机名", - "mac_description": "设备的 MAC 地址。", - "see": "查看", - "log_description": "在日志中创建自定义条目。", - "log": "记录日志", - "apply_description": "使用指定配置激活场景。", - "entities_description": "实体列表及其目标状态。", - "creates_a_new_scene": "创建一个新场景。", - "scene_id_description": "新场景的实体标识符。", - "scene_entity_id": "场景实体标识符", - "snapshot_entities": "快照实体", - "delete_description": "删除动态创建的场景。", - "activates_a_scene": "激活场景。", - "turns_auxiliary_heater_on_off": "打开/关闭辅助加热器。", - "aux_heat_description": "辅助加热器的新值。", - "turn_on_off_auxiliary_heater": "打开/关闭辅助加热器", - "sets_fan_operation_mode": "设置风扇运行模式。", - "fan_operation_mode": "风扇运行模式。", - "set_fan_mode": "设置风扇模式", - "sets_target_humidity": "设置目标湿度。", - "set_target_humidity": "设置目标湿度", - "sets_hvac_operation_mode": "设置暖通空调操作模式。", - "hvac_operation_mode": "暖通空调操作模式。", - "set_hvac_mode": "设置运行模式", - "sets_preset_mode": "设置预设模式。", - "set_preset_mode": "设置预设模式", - "sets_swing_operation_mode": "设定摆动操作模式。", - "swing_operation_mode": "摆动操作方式。", - "set_swing_mode": "设置摆动模式", - "sets_target_temperature": "设置目标温度。", - "high_target_temperature": "高目标温度。", - "target_temperature_high": "目标温度高", - "low_target_temperature": "低目标温度。", - "target_temperature_low": "目标温度低", - "set_target_temperature": "设置目标温度", - "turns_climate_device_off": "关闭气候设备。", - "turns_climate_device_on": "打开气候设备。", - "clears_all_log_entries": "清除所有日志条目。", - "clear_all": "全部清除", - "write_log_entry": "写入日志条目。", - "log_level": "日志级别", - "level": "级别", - "message_to_log": "要记录到日志的消息。", - "write": "写入", - "device_description": "要将命令发送到的设备标识符。", - "delete_command": "删除命令", - "alternative": "替代项", - "command_type_description": "要学习的命令类型。", - "command_type": "命令类型", - "timeout_description": "学习命令超时。", - "learn_command": "学习命令", - "delay_seconds": "延迟秒数", - "hold_seconds": "保持秒数", - "repeats": "重复", - "send_command": "发送命令", - "toggles_a_device_on_off": "打开/关闭设备。", - "turns_the_device_off": "关闭设备。", - "turn_on_description": "发送开机命令。", + "decrement_description": "将当前值递减 1 步。", + "increment_description": "将值递增 1 步。", + "sets_the_value": "设置值。", + "the_target_value": "目标值。", + "reloads_the_automation_configuration": "重新加载自动化配置。", + "toggle_description": "打开/关闭媒体播放器。", + "trigger_description": "触发某个自动化中的动作。", + "skip_conditions": "跳过条件", + "trigger": "触发器", + "disables_an_automation": "禁用自动化。", + "stops_currently_running_actions": "停止当前正在运行的动作。", + "stop_actions": "停止动作", + "enables_an_automation": "实现自动化。", + "restart_add_on": "重新启动加载项。", + "the_add_on_slug": "加载项的英文短名字。", + "starts_an_add_on": "启动加载项。", + "start_add_on": "启动加载项", + "addon_stdin_name": "将数据写入加载项的标准输入 (stdin)。", + "stop_add_on": "停止加载项。", + "update_add_on": "更新加载项。", + "create_a_full_backup": "创建完整备份。", + "compresses_the_backup_files": "压缩备份文件。", + "compressed": "压缩", + "home_assistant_exclude_database": "Home Assistant 排除数据库", + "name_description": "可选(默认=当前日期和时间)。", + "create_a_partial_backup": "创建部分备份。", + "folders": "文件夹", + "homeassistant_description": "在备份中包括 Home Assistant 设置。", + "home_assistant_settings": "Home Assistant 设置", + "reboots_the_host_system": "重新启动系统。", + "reboot_the_host_system": "重新启动系统", + "host_shutdown_name": "关闭系统电源。", + "restore_from_full_backup": "从完整备份还原。", + "optional_password": "密码(可选)。", + "slug_description": "要恢复的备份的 Slug。", + "slug": "Slug", + "restore_partial_description": "从部分备份还原。", + "restores_home_assistant": "还原 Home Assistant 。", "clears_the_playlist": "清空播放列表。", "clear_playlist": "清空播放列表", "selects_the_next_track": "选择下一首曲目。", @@ -2811,7 +2818,6 @@ "select_sound_mode": "选择声音模式", "select_source": "选择输入源", "shuffle_description": "是否启用随机播放模式。", - "toggle_description": "切换(启用/禁用)自动化。", "unjoin": "取消加入", "turns_down_the_volume": "调低音量。", "turn_down_volume": "调低音量", @@ -2822,150 +2828,6 @@ "set_volume": "设置音量", "turns_up_the_volume": "调高音量。", "turn_up_volume": "调高音量", - "topic_to_listen_to": "要监听的主题。", - "export": "导出", - "publish_description": "向 MQTT 主题发布消息。", - "the_payload_to_publish": "要发布的有效载荷。", - "payload": "有效载荷", - "payload_template": "有效载荷模板", - "qos": "QoS", - "retain": "保持", - "topic_to_publish_to": "要发布到的主题。", - "publish": "发布", - "brightness_value": "亮度值", - "a_human_readable_color_name": "可阅读颜色名称。", - "color_name": "颜色名称", - "color_temperature_in_mireds": "色温(单位:米德)。", - "light_effect": "灯光效果。", - "flash": "闪烁", - "hue_sat_color": "色相/饱和度", - "color_temperature_in_kelvin": "色温,以 Kelvin 为单位。", - "profile_description": "要使用的灯光预设的名称。", - "white_description": "将灯光设置为白光模式。", - "xy_color": "XY 颜色", - "turn_off_description": "关闭一个或多个灯光。", - "brightness_step_description": "按数值更改亮度。", - "brightness_step_value": "亮度步进值", - "brightness_step_pct_description": "按百分比更改亮度。", - "brightness_step": "亮度步进", - "rgbw_color": "RGBW 颜色", - "rgbww_color": "RGBWW 颜色", - "reloads_the_automation_configuration": "重新加载自动化配置。", - "trigger_description": "触发某个自动化中的动作。", - "skip_conditions": "跳过条件", - "disables_an_automation": "禁用自动化。", - "stops_currently_running_actions": "停止当前正在运行的动作。", - "stop_actions": "停止动作", - "enables_an_automation": "实现自动化。", - "dashboard_path": "仪表盘路径", - "view_path": "查看路径", - "show_dashboard_view": "显示仪表盘视图", - "toggles_the_siren_on_off": "切换警报器的打开/关闭状态。", - "turns_the_siren_off": "关闭警报器。", - "turns_the_siren_on": "打开警报器。", - "tone": "警报声", - "extract_media_url_description": "从服务中提取媒体网址。", - "format_query": "格式查询", - "url_description": "可以找到媒体的网址。", - "media_url": "媒体网址", - "get_media_url": "获取媒体网址", - "play_media_description": "从指定 URL 下载文件。", - "removes_a_group": "移除一个组。", - "object_id": "对象标识符", - "creates_updates_a_user_group": "创建/更新一个用户组。", - "add_entities": "添加实体", - "icon_description": "组的图标名称。", - "name_of_the_group": "组名称。", - "selects_the_first_option": "选择第一个选项。", - "first": "第一个", - "selects_the_last_option": "选择最后一个选项。", - "select_the_next_option": "选择下一个选项。", - "cycle": "循环", - "selects_an_option": "选择一个选项。", - "option_to_be_selected": "待选择的选项。", - "selects_the_previous_option": "选择上一个选项。", - "create_description": "在 **通知** 面板上显示一条通知。", - "notification_id": "通知标识符", - "dismiss_description": "从 **通知** 面板中删除一条通知。", - "notification_id_description": "要移除通知的标识符。", - "dismiss_all_description": "从 **通知** 面板中删除所有通知。", - "cancels_a_timer": "取消计时器。", - "changes_a_timer": "更改计时器。", - "finishes_a_timer": "完成计时器。", - "pauses_a_timer": "暂停计时器。", - "starts_a_timer": "启动计时器。", - "duration_description": "计时器完成所需的持续时间(可选)。", - "sets_the_options": "设置选项。", - "list_of_options": "选项列表。", - "set_options": "设置选项", - "clear_skipped_update": "清除跳过的更新", - "install_update": "安装更新", - "skip_description": "将当前可用更新标记为已跳过。", - "skip_update": "跳过更新", - "set_default_level_description": "设置集成的默认日志级别。", - "level_description": "所有集成的默认严重性级别。", - "set_default_level": "设置默认级别", - "set_level": "设置级别", - "create_temporary_strict_connection_url_name": "创建临时的严格连接网址", - "remote_connect": "远程连接", - "remote_disconnect": "远程断开连接", - "set_value_description": "设置数字的值。", - "value_description": "配置参数的值。", - "value": "值", - "closes_a_cover": "关闭卷帘。", - "close_cover_tilt_description": "倾闭卷帘。", - "close_tilt": "关闭倾斜", - "opens_a_cover": "打开卷帘。", - "tilts_a_cover_open": "倾开卷帘。", - "open_tilt": "打开倾斜", - "set_cover_position_description": "移动卷帘到指定位置。", - "target_position": "目标位置。", - "set_position": "设定位置", - "target_tilt_positition": "目标倾斜位置。", - "set_tilt_position": "设置倾斜位置", - "stops_the_cover_movement": "停止卷帘的移动。", - "stop_cover_tilt_description": "停止卷帘的倾斜移动。", - "stop_tilt": "停止倾斜", - "toggles_a_cover_open_closed": "切换卷帘的打开/关闭状态。", - "toggle_cover_tilt_description": "切换卷帘的倾开/倾闭状态。", - "toggle_tilt": "切换倾斜", - "toggles_the_helper_on_off": "切换辅助元素的打开/关闭状态。", - "turns_off_the_helper": "关闭辅助元素。", - "turns_on_the_helper": "打开辅助元素。", - "decrement_description": "将当前值递减 1 步。", - "increment_description": "将值递增 1 步。", - "sets_the_value": "设置值。", - "the_target_value": "目标值。", - "dump_log_objects": "转储对象到日志", - "log_current_tasks_description": "记录所有当前 asyncio 任务。", - "log_current_asyncio_tasks": "记录当前 asyncio 任务", - "log_event_loop_scheduled": "记录已计划的事件循环", - "log_thread_frames_description": "记录所有线程的当前帧到日志。", - "log_thread_frames": "记录线程帧", - "lru_stats_description": "记录所有 lru 缓存的统计信息到日志。", - "log_lru_stats": "记录 LRU 统计信息", - "starts_the_memory_profiler": "启动内存分析器。", - "memory": "内存", - "set_asyncio_debug_description": "启用或禁用异步调试。", - "enabled_description": "是否启用或禁用异步调试。", - "set_asyncio_debug": "设置异步调试", - "starts_the_profiler": "启动性能分析器。", - "max_objects_description": "要记录的最大对象数。", - "maximum_objects": "最大对象数", - "scan_interval_description": "记录对象之间的秒数。", - "scan_interval": "扫描间隔", - "start_logging_object_sources": "开始记录对象源", - "start_log_objects_description": "开始记录内存中对象的增长到日志。", - "start_logging_objects": "开始记录对象", - "stop_logging_object_sources": "停止记录对象源", - "stop_log_objects_description": "停止记录内存中对象的增长。", - "stop_logging_objects": "停止记录对象", - "process_description": "从转录文本启动一个对话。", - "conversation_id": "对话标识符", - "transcribed_text_input": "输入转录文本。", - "process": "处理", - "reloads_the_intent_configuration": "重新加载需要的配置。", - "conversation_agent_to_reload": "要重新加载的对话代理。", "apply_filter": "应用过滤器", "days_to_keep": "保留天数", "repack": "重新打包", @@ -2974,32 +2836,6 @@ "entity_globs_to_remove": "要移除的实体通配符", "entities_to_remove": "要移除的实体", "purge_entities": "清除实体", - "reload_resources_description": "从 YAML 配置重新加载仪表盘资源。", - "reload_themes_description": "从 YAML 配置重新加载主题。", - "reload_themes": "重新加载主题", - "name_of_a_theme": "主题名称。", - "set_the_default_theme": "设置默认主题", - "decrements_a_counter": "减少计数器数值。", - "increments_a_counter": "增加一个计数器。", - "resets_a_counter": "重置计数器。", - "sets_the_counter_value": "设置计数器值。", - "code_description": "用于解开锁的密码。", - "arm_with_custom_bypass": "自定义旁路布防", - "alarm_arm_vacation_description": "设置警报为:度假布防。", - "disarms_the_alarm": "解除警报。", - "alarm_trigger_description": "启用外部警报触发器。", - "get_weather_forecast": "获取天气预报。", - "type_description": "预报类型:每天、每小时、每天两次", - "forecast_type": "预报类型", - "get_forecast": "获取预报", - "load_url_description": "在 Fully Kiosk 浏览器上加载 URL。", - "url_to_load": "要加载的 URL。", - "load_url": "加载 URL", - "configuration_parameter_to_set": "要设置的配置参数。", - "key": "钥匙", - "set_configuration": "设置配置", - "application_description": "要启动的应用程序的包名称。", - "start_application": "启动应用", "decrease_speed_description": "降低风扇速度。", "percentage_step_description": "将速度提高一个百分比。", "decrease_speed": "降低速度", @@ -3014,35 +2850,263 @@ "speed_of_the_fan": "风扇的速度。", "percentage": "百分比", "set_speed": "设定速度", + "sets_preset_mode": "设置预设模式。", + "set_preset_mode": "设置预设模式", "toggles_the_fan_on_off": "打开/关闭风扇。", "turns_fan_off": "关闭风扇。", "turns_fan_on": "打开风扇。", - "locks_a_lock": "锁上一把锁。", - "opens_a_lock": "打开一把锁。", - "unlocks_a_lock": "解开一把锁。", - "press_the_button_entity": "按下按钮实体。", - "bridge_identifier": "网桥标识符", - "configuration_payload": "配置有效载荷", - "entity_description": "代表 deCONZ 中的指定设备端点。", - "path": "路径", - "configure": "配置", - "device_refresh_description": "刷新 deCONZ 中的可用设备。", - "device_refresh": "刷新设备", - "remove_orphaned_entries": "删除孤立的条目", + "apply_description": "使用指定配置激活场景。", + "entities_description": "实体列表及其目标状态。", + "transition": "转换", + "creates_a_new_scene": "创建一个新场景。", + "scene_id_description": "新场景的实体标识符。", + "scene_entity_id": "场景实体标识符", + "snapshot_entities": "快照实体", + "delete_description": "删除动态创建的场景。", + "activates_a_scene": "激活场景。", + "selects_the_first_option": "选择第一个选项。", + "first": "第一个", + "selects_the_last_option": "选择最后一个选项。", + "select_the_next_option": "选择下一个选项。", + "selects_an_option": "选择一个选项。", + "option_to_be_selected": "要选择的选项。", + "selects_the_previous_option": "选择上一个选项。", + "sets_the_options": "设置选项。", + "list_of_options": "选项列表。", + "set_options": "设置选项", "closes_a_valve": "关闭阀门。", "opens_a_valve": "打开阀门。", "set_valve_position_description": "将阀门移动到特定位置。", "stops_the_valve_movement": "停止阀门运动。", "toggles_a_valve_open_closed": "切换阀门的打开/关闭状态。", + "load_url_description": "在 Fully Kiosk 浏览器上加载 URL。", + "url_to_load": "要加载的 URL。", + "load_url": "加载 URL", + "configuration_parameter_to_set": "要设置的配置参数。", + "key": "钥匙", + "set_configuration": "设置配置", + "application_description": "要启动的应用程序的包名称。", + "start_application": "启动应用", + "command_description": "发送到 Google Assistant 的命令。", + "media_player_entity": "媒体播放器实体", + "send_text_command": "发送文本命令", + "code_description": "用于解开锁的密码。", + "arm_with_custom_bypass": "自定义旁路布防", + "alarm_arm_vacation_description": "设置警报为:度假布防。", + "disarms_the_alarm": "解除警报。", + "alarm_trigger_description": "启用外部警报触发器。", + "extract_media_url_description": "从服务中提取媒体网址。", + "format_query": "格式查询", + "url_description": "可以找到媒体的网址。", + "media_url": "媒体网址", + "get_media_url": "获取媒体网址", + "play_media_description": "从指定 URL 下载文件。", + "sets_a_random_effect": "设置随机效果。", + "sequence_description": "HSV 序列的列表(最多 16 个)。", + "initial_brightness": "初始亮度。", + "range_of_brightness": "亮度的范围。", + "brightness_range": "亮度范围", + "fade_off": "淡出", + "range_of_hue": "色调的范围。", + "hue_range": "色调范围", + "initial_hsv_sequence": "初始 HSV 序列。", + "initial_states": "初始状态", + "random_seed": "随机种子", + "range_of_saturation": "饱和度的范围。", + "saturation_range": "饱和度范围", + "segments_description": "区段的列表(0 表示全部)。", + "segments": "区段", + "range_of_transition": "转换的范围。", + "transition_range": "转换范围", + "random_effect": "随机效果", + "sets_a_sequence_effect": "设置一个序列效果。", + "repetitions_for_continuous": "重复次数(0 表示连续不断)。", + "sequence": "序列", + "speed_of_spread": "传播的速度。", + "spread": "传播", + "sequence_effect": "序列效果", + "press_the_button_entity": "按下按钮实体。", + "see_description": "记录看到的跟踪设备。", + "battery_description": "设备的电池电量。", + "gps_coordinates": "GPS坐标", + "gps_accuracy_description": "GPS 坐标的准确性。", + "hostname_of_the_device": "设备的主机名。", + "hostname": "主机名", + "mac_description": "设备的 MAC 地址。", + "mac_address": "MAC 地址", + "see": "查看", + "process_description": "从转录文本启动一个对话。", + "conversation_id": "对话标识符", + "language_description": "用于语音生成的语言。", + "transcribed_text_input": "输入转录文本。", + "process": "处理", + "reloads_the_intent_configuration": "重新加载需要的配置。", + "conversation_agent_to_reload": "要重新加载的对话代理。", + "create_description": "在 **通知** 面板上显示一条通知。", + "message_description": "日志条目的消息内容。", + "notification_id": "通知标识符", + "title_description": "您的通知消息的标题。", + "dismiss_description": "从 **通知** 面板中删除一条通知。", + "notification_id_description": "要移除通知的标识符。", + "dismiss_all_description": "从 **通知** 面板中删除所有通知。", + "notify_description": "向选定的目标发送通知消息。", + "data": "数据", + "title_of_the_notification": "通知的标题。", + "send_a_persistent_notification": "发送持久通知", + "sends_a_notification_message": "发送通知消息。", + "your_notification_message": "你的通知消息。", + "send_a_notification_message": "发送通知消息", + "device_description": "要将命令发送到的设备标识符。", + "delete_command": "删除命令", + "alternative": "替代项", + "command_type_description": "要学习的命令类型。", + "command_type": "命令类型", + "timeout_description": "学习命令超时。", + "learn_command": "学习命令", + "delay_seconds": "延迟秒数", + "hold_seconds": "保持秒数", + "repeats": "重复", + "send_command": "发送命令", + "toggles_a_device_on_off": "打开/关闭设备。", + "turns_the_device_off": "关闭设备。", + "turn_on_description": "发送开机命令。", + "stops_a_running_script": "停止正在运行的脚本。", + "locks_a_lock": "锁上一把锁。", + "opens_a_lock": "打开一把锁。", + "unlocks_a_lock": "解开一把锁。", + "turns_auxiliary_heater_on_off": "打开/关闭辅助加热器。", + "aux_heat_description": "辅助加热器的新值。", + "turn_on_off_auxiliary_heater": "打开/关闭辅助加热器", + "sets_fan_operation_mode": "设置风扇运行模式。", + "fan_operation_mode": "风扇运行模式。", + "set_fan_mode": "设置风扇模式", + "sets_target_humidity": "设置目标湿度。", + "set_target_humidity": "设置目标湿度", + "sets_hvac_operation_mode": "设置暖通空调操作模式。", + "hvac_operation_mode": "暖通空调操作模式。", + "set_hvac_mode": "设置运行模式", + "sets_swing_operation_mode": "设定摆动操作模式。", + "swing_operation_mode": "摆动操作方式。", + "set_swing_mode": "设置摆动模式", + "sets_target_temperature": "设置目标温度。", + "high_target_temperature": "高目标温度。", + "target_temperature_high": "目标温度高", + "low_target_temperature": "低目标温度。", + "target_temperature_low": "目标温度低", + "set_target_temperature": "设置目标温度", + "turns_climate_device_off": "关闭气候设备。", + "turns_climate_device_on": "打开气候设备。", "calendar_id_description": "您想要的日历的标识符。", "calendar_id": "日历标识符", "description_description": "事件的描述。可选的。", "summary_description": "作为事件的标题。", + "dashboard_path": "仪表盘路径", + "view_path": "查看路径", + "show_dashboard_view": "显示仪表盘视图", + "brightness_value": "亮度值", + "a_human_readable_color_name": "可阅读的颜色名称。", + "color_name": "颜色名称", + "light_effect": "灯光效果。", + "hue_sat_color": "色相/饱和度", + "profile_description": "要使用的灯光配置文件的名称。", + "rgbw_color": "RGBW 颜色", + "rgbww_color": "RGBWW 颜色", + "white_description": "将灯光设置为白色模式。", + "xy_color": "XY 颜色", + "turn_off_description": "关闭一个或多个灯光。", + "brightness_step_description": "按数值更改亮度。", + "brightness_step_value": "亮度步长值", + "brightness_step_pct_description": "按百分比更改亮度。", + "brightness_step": "亮度步长", + "topic_to_listen_to": "要监听的主题。", + "export": "导出", + "publish_description": "向 MQTT 主题发布消息。", + "the_payload_to_publish": "要发布的有效载荷。", + "payload": "有效载荷", + "payload_template": "有效载荷模板", + "qos": "QoS", + "retain": "保持", + "topic_to_publish_to": "要发布到的主题。", + "publish": "发布", "ptz_move_description": "以指定速度移动摄像头。", "ptz_move_speed": "云台移动速度。", "ptz_move": "云台移动", + "log_description": "在日志中创建自定义条目。", + "entity_id_description": "用于播放消息的媒体播放器。", + "log": "记录日志", + "toggles_a_switch_on_off": "打开/关闭开关。", + "turns_a_switch_off": "关闭开关。", + "turns_a_switch_on": "打开开关。", + "reload_themes_description": "从 YAML 配置重新加载主题。", + "reload_themes": "重新加载主题", + "name_of_a_theme": "主题名称。", + "set_the_default_theme": "设置默认主题", + "toggles_the_helper_on_off": "切换辅助元素的打开/关闭状态。", + "turns_off_the_helper": "关闭辅助元素。", + "turns_on_the_helper": "打开辅助元素。", + "decrements_a_counter": "减少计数器数值。", + "increments_a_counter": "增加一个计数器。", + "resets_a_counter": "重置计数器。", + "sets_the_counter_value": "设置计数器值。", + "remote_connect": "远程连接", + "remote_disconnect": "远程断开连接", + "get_weather_forecast": "获取天气预报。", + "type_description": "预报类型:每天、每小时、每天两次", + "forecast_type": "预报类型", + "get_forecast": "获取预报", + "disables_the_motion_detection": "禁用运动侦测。", + "disable_motion_detection": "禁用运动侦测", + "enables_the_motion_detection": "启用运动侦测。", + "enable_motion_detection": "启用运动侦测", + "format_description": "媒体播放器支持的流格式。", + "format": "格式", + "media_player_description": "要流式传输的媒体播放器。", + "play_stream": "播放流", + "filename": "文件名", + "lookback": "回顾", + "snapshot_description": "从摄像头拍摄快照。", + "take_snapshot": "拍摄快照", + "turns_off_the_camera": "关闭摄像头。", + "turns_on_the_camera": "打开摄像头。", + "clear_tts_cache": "清除 TTS 缓存", + "cache": "缓存", + "options_description": "包含特定于集成的选项的字典。", + "say_a_tts_message": "说出 TTS 消息", + "speak": "说话", + "broadcast_address": "广播地址", + "broadcast_port_description": "将魔法数据包发送到的目标端口。", + "broadcast_port": "广播端口", + "send_magic_packet": "发送魔法数据包", "set_datetime_description": "设置日期和/或时间。", "the_target_date": "目标日期。", "datetime_description": "目标日期和时间。", - "the_target_time": "目标时间。" + "the_target_time": "目标时间。", + "bridge_identifier": "网桥标识符", + "configuration_payload": "配置有效载荷", + "entity_description": "代表 deCONZ 中的指定设备端点。", + "path": "路径", + "device_refresh_description": "刷新 deCONZ 中的可用设备。", + "device_refresh": "刷新设备", + "remove_orphaned_entries": "删除孤立的条目", + "removes_a_group": "移除一个组。", + "object_id": "对象标识符", + "creates_updates_a_user_group": "创建/更新一个用户组。", + "add_entities": "添加实体", + "icon_description": "组的图标名称。", + "name_of_the_group": "组名称。", + "remove_entities": "移除实体", + "cancels_a_timer": "取消计时器。", + "changes_a_timer": "更改计时器。", + "finishes_a_timer": "完成计时器。", + "pauses_a_timer": "暂停计时器。", + "starts_a_timer": "启动计时器。", + "duration_description": "计时器完成所需的持续时间(可选)。", + "set_default_level_description": "设置集成的默认日志级别。", + "level_description": "所有集成的默认严重性级别。", + "set_default_level": "设置默认级别", + "set_level": "设置级别", + "clear_skipped_update": "清除跳过的更新", + "install_update": "安装更新", + "skip_description": "将当前可用更新标记为已跳过。", + "skip_update": "跳过更新" } \ No newline at end of file diff --git a/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json b/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json index 1e07b70..9508c18 100644 --- a/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json +++ b/packages/core/src/hooks/useLocale/locales/zh-Hant/zh-Hant.json @@ -102,7 +102,8 @@ "unlock": "解鎖", "open_door": "開門", "really_open": "確定開啟?", - "door_open": "門開啟", + "done": "完成", + "ui_card_lock_open_door_success": "門開啟", "source": "來源", "sound_mode": "聲音模式", "browse_media": "瀏覽媒體", @@ -136,7 +137,6 @@ "up_to_date": "已最新", "empty_value": "(空白數值)", "start": "開始", - "done": "完成", "resume_cleaning": "繼續清掃", "start_cleaning": "開始清掃", "open_valve": "開啟閥門", @@ -179,6 +179,7 @@ "loading": "正在載入…", "update": "更新", "delete": "刪除", + "delete_all": "全部刪除", "download": "下載", "repeat": "重複", "remove": "移除", @@ -218,6 +219,9 @@ "media_content_type": "媒體內容類別", "upload_failed": "上傳失敗", "unknown_file": "未知檔案", + "select_image": "選擇圖片", + "upload_picture": "上傳圖片", + "image_url": "本地路徑或網頁網址", "latitude": "緯度", "longitude": "經度", "radius": "半徑", @@ -231,6 +235,7 @@ "date_time": "日期與時間", "duration": "持續時間", "entity": "實體", + "floor": "樓層", "icon": "圖示", "location": "座標", "number": "數字", @@ -268,6 +273,7 @@ "was_opened": "狀態為開啟", "was_closed": "狀態為關閉", "opening": "開啟中", + "opened": "已開啟", "closing": "關閉中", "was_unlocked": "狀態為解鎖", "was_locked": "狀態為上鎖", @@ -315,10 +321,13 @@ "sort_by_sortcolumn": "排序:{sortColumn}", "group_by_groupcolumn": "群組:{groupColumn}", "don_t_group": "不進行群組", + "collapse_all": "全部折疊", + "expand_all": "全部展開", "selected_selected": "已選擇 {selected}", "close_selection_mode": "關閉選擇模式", "select_all": "全選", "select_none": "取消全選", + "customize_table": "自訂表格", "conversation_agent": "對話助理", "none": "無", "country": "國家", @@ -363,7 +372,6 @@ "ui_components_area_picker_add_dialog_text": "輸入新分區名稱。", "ui_components_area_picker_add_dialog_title": "新增分區", "show_floors": "顯示樓層", - "floor": "樓層", "add_new_floor_name": "新增樓層 ''{name}''", "add_new_floor": "新增樓層…", "floor_picker_no_floors": "目前沒有任何樓層", @@ -371,7 +379,7 @@ "failed_to_create_floor": "建立樓層失敗。", "ui_components_floor_picker_add_dialog_text": "輸入新樓層的名稱。", "ui_components_floor_picker_add_dialog_title": "新增樓層", - "areas": "分區", + "zone": "分區", "area_filter_area_count": "{count} {count, plural,\n one {個分區}\n other {個分區}\n}", "all_areas": "所有分區", "show_area": "顯示 {area}", @@ -442,6 +450,9 @@ "last_month": "上個月", "this_year": "今年", "last_year": "去年", + "reset_to_default_size": "重置為預設大小", + "number_of_columns": "列數", + "number_of_rows": "行數", "never": "持續不停", "history_integration_disabled": "歷史整合已關閉", "loading_state_history": "正在載入狀態歷史…", @@ -472,6 +483,9 @@ "filtering_by": "篩選", "number_hidden": "{number} 個已隱藏", "ungrouped": "未分組", + "hide_column_title": "隱藏欄位{title}", + "show_column_title": "顯示欄位{title}", + "restore_defaults": "重置為預設值", "message": "訊息", "gender": "性別", "male": "男性", @@ -584,7 +598,7 @@ "script": "腳本", "scenes": "場景", "people": "人員", - "zone": "區域", + "zones": "區域", "input_booleans": "輸入 boolean", "input_texts": "輸入文字", "input_numbers": "輸入數字", @@ -696,7 +710,7 @@ "default_code": "預設碼", "editor_default_code_error": "代碼與格式不符", "entity_id": "實體 ID", - "unit": "單位", + "unit_of_measurement": "測量單位", "precipitation_unit": "降雨量單位", "display_precision": "顯示準確度", "default_value": "預設 ({value})", @@ -771,9 +785,9 @@ "unsupported": "不支援", "more_info_about_entity": "關於實體更詳細資訊", "restart_home_assistant": "重啟 Home Assistant?", - "advanced_options": "Advanced options", + "advanced_options": "進階設定", "quick_reload": "快速重載", - "reload_description": "重新載入 YAML 設定助手。", + "reload_description": "重新載入 YAML 設定分區。", "reloading_configuration": "重新載入設定", "failed_to_reload_configuration": "重新載入設定失敗", "restart_description": "中斷所有執行中的自動化與腳本。", @@ -1038,9 +1052,11 @@ "view_configuration": "畫布設定", "name_view_configuration": "{name} 畫布設定", "add_view": "新增畫布", + "background_title": "新增視圖背景", "edit_view": "編輯畫布", "move_view_left": "向左移動畫布", "move_view_right": "向右移動畫布", + "background": "背景", "badges": "圓標圖示", "view_type": "面板類別", "masonry_default": "瀑布流式(預設)", @@ -1071,7 +1087,9 @@ "change_card_position": "變更面板位置", "more_options": "更多選項", "search_cards": "搜尋面板", + "layout": "版面配置", "ui_panel_lovelace_editor_edit_card_pick_card_view_title": "選擇加入 {name} 畫布的面板?", + "ui_panel_lovelace_editor_edit_card_tab_visibility": "可視度", "move_card_error_title": "無法移動面板", "choose_a_view": "選擇面板", "dashboard": "儀表板", @@ -1089,8 +1107,7 @@ "ui_panel_lovelace_editor_delete_section_text_section_and_cards": "將移除 {section} 及其面板", "ui_panel_lovelace_editor_delete_section_text_section_only": "將移除 {section}", "ui_panel_lovelace_editor_delete_section_unnamed_section": "此區塊", - "edit_name": "編輯名稱", - "add_name": "新增名稱", + "edit_section": "編輯區塊", "suggest_card_header": "已為您產生建議面板", "pick_different_card": "選擇其他面板", "add_to_dashboard": "新增至儀表板", @@ -1107,12 +1124,12 @@ "no_action": "沒有動作", "add_condition": "新增觸發判斷", "test": "測試", - "condition_passes": "De conditie is voldaan", - "condition_did_not_pass": "De conditie is niet voldaan", + "condition_passes": "觸發判斷條件通過", + "condition_did_not_pass": "觸發判斷條件不通過", "invalid_configuration": "Invalide configuratie", "entity_numeric_state": "實體數值狀態", - "above": "大於", - "below": "小於", + "above": "在...之上", + "below": "在...之下", "screen": "螢幕", "screen_sizes": "螢幕尺寸", "mobile": "手機", @@ -1151,7 +1168,7 @@ "define_severity": "定義嚴重度?", "glance": "簡略式面板", "columns": "列", - "render_cards_as_squares": "以方形繪製卡片", + "render_cards_as_squares": "以方形繪製面板", "history_graph": "歷史圖表式面板", "logarithmic_scale": "對數尺度", "y_axis_minimum": "Y 軸最小值", @@ -1159,6 +1176,7 @@ "history_graph_fit_y_data": "擴充 Y 軸限制以符合資料", "statistics_graph": "統計圖", "period": "週期", + "unit": "單位", "show_stat_types": "顯示狀態類別", "chart_type": "圖表類別", "hour": "時", @@ -1195,7 +1213,7 @@ "generic_state_color": "以色彩顯示狀態?", "suggested_cards": "建議面板", "other_cards": "其他面板", - "custom_cards": "自定義卡片", + "custom_cards": "自定義面板", "geolocation_sources": "地理位置來源", "dark_mode": "深色模式?", "appearance": "外觀", @@ -1287,176 +1305,126 @@ "feature_editor": "功能編輯器", "ui_panel_lovelace_editor_color_picker_colors_dark_grey": "深灰色", "ui_panel_lovelace_editor_color_picker_colors_pink": "粉紅色", + "ui_panel_lovelace_editor_edit_section_title_input_label": "名字", + "ui_panel_lovelace_editor_edit_section_title_title": "編輯名稱", + "ui_panel_lovelace_editor_edit_section_title_title_new": "新增名稱", "warning_attribute_not_found": "無法使用屬性 {attribute} 之實體:{entity}", "entity_not_available_entity": "實體不可用:{entity}", "entity_is_non_numeric_entity": "實體為非數字:{entity}", "warning_entity_unavailable": "實體目前不可用:{entity}", "invalid_timestamp": "無效的時間戳記", "invalid_display_format": "無效的顯示格式", + "now": "立即", "compare_data": "比較數據", "reload_ui": "重新載入 UI", - "wake_on_lan": "Wake on LAN", - "text_to_speech_tts": "Text-to-speech (TTS)", - "thread": "Thread", - "my_home_assistant": "My Home Assistant", - "solis_inverter": "Solis Inverter", - "dhcp_discovery": "DHCP Discovery", - "camera": "攝影機", - "device_automation": "Device Automation", - "repairs": "Repairs", - "ring": "Ring", - "home_assistant_api": "Home Assistant API", - "file_upload": "File Upload", - "group": "群組", - "timer": "計時器", - "schedule": "排程", - "home_assistant_cloud": "Home Assistant Cloud", - "default_config": "Default Config", - "shelly": "Shelly", - "network_configuration": "Network Configuration", - "cover": "門簾", - "home_assistant_alerts": "Home Assistant Alerts", - "input_boolean": "開關框", + "profiler": "Profiler", "http": "HTTP", - "dlna_digital_media_renderer": "DLNA Digital Media Renderer", - "conversation": "語音互動", - "recorder": "Recorder", - "home_assistant_frontend": "Home Assistant Frontend", + "cover": "門簾", + "home_assistant_core_integration": "Home Assistant Core Integration", + "bluetooth": "藍牙", + "input_button": "輸入按鈕", + "samsungtv_smart": "SamsungTV Smart", "alarm_control_panel": "警戒控制面板", - "fully_kiosk_browser": "Fully Kiosk Browser", - "fan": "風扇", - "home_assistant_onboarding": "Home Assistant Onboarding", + "device_tracker": "裝置追蹤器", + "trace": "Trace", + "stream": "Stream", + "person": "個人", "google_calendar": "Google Calendar", - "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", - "raspberry_pi": "Raspberry Pi", + "mqtt": "MQTT", + "home_assistant_onboarding": "Home Assistant Onboarding", + "input_boolean": "開關框", + "camera": "攝影機", + "text_to_speech_tts": "Text-to-speech (TTS)", "input_datetime": "輸入日期", + "dlna_digital_media_renderer": "DLNA Digital Media Renderer", + "webhook": "Webhook", + "diagnostics": "診斷資料", + "siren": "Siren", + "fitbit": "Fitbit", + "home_assistant_supervisor": "Home Assistant Supervisor", + "command_line": "Command Line", + "valve": "閥門", + "assist_pipeline": "助理細部設定", + "fully_kiosk_browser": "Fully Kiosk Browser", + "wake_word_detection": "Wake-word detection", + "media_extractor": "Media Extractor", "openweathermap": "OpenWeatherMap", - "speedtest_net": "Speedtest.net", - "scene": "Scene", - "climate": "溫控", + "conversation": "語音互動", + "android_tv_remote": "Android TV Remote", + "default_config": "Default Config", + "google_cast": "Google Cast", + "broadlink": "Broadlink", "filesize": "檔案大小", - "media_extractor": "Media Extractor", - "esphome": "ESPHome", - "persistent_notification": "持續通知", + "speedtest_net": "Speedtest.net", + "reolink_ip_nvr_camera": "Reolink IP NVR/camera", + "home_assistant_cloud": "Home Assistant Cloud", "restful_command": "RESTful Command", - "image_upload": "Image Upload", - "webhook": "Webhook", - "media_source": "Media Source", - "application_credentials": "應用憑證", - "local_calendar": "本地端行事曆", - "trace": "Trace", - "input_number": "數字框", - "intent": "Intent", + "configuration": "Configuration", + "raspberry_pi": "Raspberry Pi", + "switchbot_bluetooth": "SwitchBot Bluetooth", + "home_assistant_alerts": "Home Assistant Alerts", + "wake_on_lan": "Wake on LAN", "input_text": "輸入框", - "rpi_power_title": "Raspberry Pi 電源供應檢查工具", - "weather": "氣象", - "deconz": "deCONZ", - "blueprint": "Blueprint", - "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", - "system_monitor": "System Monitor", + "group": "群組", + "auth": "Auth", + "thread": "Thread", + "ffmpeg": "FFmpeg", + "system_log": "System Log", + "schedule": "排程", + "bluetooth_adapters": "Bluetooth Adapters", + "solis_inverter": "Solis Inverter", "google_assistant_sdk": "Google Assistant SDK", - "google_assistant": "Google Assistant", - "tp_link_smart_home": "TP-Link Smart Home", - "broadlink": "Broadlink", - "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "home_assistant_websocket_api": "Home Assistant WebSocket API", + "persistent_notification": "持續通知", + "remote": "遙控器", + "home_assistant_api": "Home Assistant API", + "rpi_power_title": "Raspberry Pi 電源供應檢查工具", "ibeacon_tracker": "iBeacon Tracker", + "usb_discovery": "USB Discovery", + "repairs": "Repairs", + "blueprint": "Blueprint", "wyoming_protocol": "Wyoming Protocol", - "device_tracker": "裝置追蹤器", - "system_log": "System Log", + "dhcp_discovery": "DHCP Discovery", + "weather": "氣象", + "meteorologisk_institutt_met_no": "Meteorologisk institutt (Met.no)", + "ring": "Ring", "hacs": "HACS", - "remote": "遙控器", + "image_upload": "Image Upload", + "google_assistant": "Google Assistant", + "shelly": "Shelly", + "ssdp_title": "Simple Service Discovery Protocol (SSDP)", + "device_automation": "Device Automation", + "input_number": "數字框", + "binary_sensor": "二進位感測器", + "intent": "Intent", + "recorder": "Recorder", + "media_source": "Media Source", + "fan": "送風", + "scene": "Scene", + "input_select": "選擇框", "localtuya": "LocalTuya integration", - "mqtt": "MQTT", - "google_cast": "Google Cast", - "event": "事件", - "stream": "Stream", - "samsungtv_smart": "SamsungTV Smart", + "daikin_ac": "Daikin AC", + "network_configuration": "Network Configuration", + "tp_link_smart_home": "TP-Link Smart Home", "speech_to_text_stt": "Speech-to-text (STT)", - "configuration": "Configuration", - "bluetooth": "藍牙", - "command_line": "Command Line", - "profiler": "Profiler", + "event": "事件", + "system_monitor": "System Monitor", + "my_home_assistant": "My Home Assistant", + "file_upload": "File Upload", + "climate": "溫控", + "home_assistant_frontend": "Home Assistant Frontend", + "counter": "計數器", + "esphome": "ESPHome", + "zero_configuration_networking_zeroconf": "Zero-configuration networking (zeroconf)", "mobile_app": "手機 App", - "diagnostics": "診斷資料", - "daikin_ac": "Daikin AC", - "reolink_ip_nvr_camera": "Reolink IP NVR/camera", - "person": "個人", - "home_assistant_supervisor": "Home Assistant Supervisor", - "home_assistant_core_integration": "Home Assistant Core Integration", - "ffmpeg": "FFmpeg", - "fitbit": "Fitbit", - "usb_discovery": "USB Discovery", - "siren": "Siren", - "input_select": "選擇框", + "deconz": "deCONZ", + "timer": "計時器", + "application_credentials": "應用憑證", "logger": "記錄器", - "assist_pipeline": "助理細部設定", - "bluetooth_adapters": "Bluetooth Adapters", - "auth": "Auth", - "input_button": "輸入按鈕", - "home_assistant_websocket_api": "Home Assistant WebSocket API", - "wake_word_detection": "Wake-word detection", - "counter": "計數器", - "binary_sensor": "二進位感測器", - "android_tv_remote": "Android TV Remote", - "switchbot_bluetooth": "SwitchBot Bluetooth", - "valve": "閥門", - "os_agent_version": "OS Agent 版本", - "apparmor_version": "Apparmor 版本", - "cpu_percent": "CPU 百分比", - "disk_free": "可用空間", - "disk_total": "總容量", - "disk_used": "已使用空間", - "memory_percent": "記憶體百分比", - "version": "版本", - "newest_version": "最新版本", + "local_calendar": "本地端行事曆", "synchronize_devices": "同步裝置", - "device_name_current": "{device_name}電流", - "current_consumption": "Current Consumption", - "device_name_current_consumption": "{device_name}目前耗能", - "today_s_consumption": "今日耗能", - "device_name_today_s_consumption": "{device_name}今日耗能", - "total_consumption": "總耗電", - "device_name_total_consumption": "{device_name}總耗能", - "device_name_voltage": "{device_name}電壓", - "led": "LED", - "bytes_received": "已接收位元組", - "server_country": "伺服器國家", - "server_id": "伺服器 ID", - "server_name": "伺服器名稱", - "ping": "Ping", - "upload": "上傳", - "bytes_sent": "已傳送位元組", - "air_quality_index": "空氣質量指數", - "illuminance": "照度", - "noise": "雜訊", - "overload": "過載", - "voltage": "電壓", - "estimated_distance": "預估距離", - "vendor": "廠商", - "assist_in_progress": "助理進行中", - "auto_gain": "自動增益", - "mic_volume": "麥克風音量", - "noise_suppression": "噪音抑制", - "noise_suppression_level": "噪音抑制等級", - "preferred": "首選", - "mute": "靜音", - "satellite_enabled": "衛星圖已開啟", - "ding": "叮", - "doorbell_volume": "門鈴音量", - "last_activity": "上次活動", - "last_ding": "最後的叮噹聲", - "last_motion": "最後一項运动", - "voice_volume": "語音音量", - "volume": "音量", - "wi_fi_signal_category": "Wi-Fi信號類別", - "wi_fi_signal_strength": "Wi-Fi 信號強度", - "size": "大小", - "size_in_bytes": "大小(Bytes)", - "finished_speaking_detection": "語音完成偵測", - "aggressive": "活力", - "default": "預設", - "relaxed": "放鬆", - "call_active": "通話啟用", + "last_scanned_by_device_id_name": "上回掃描裝置 ID", + "tag_id": "標籤 ID", "heavy": "嚴重", "mild": "輕微", "button_down": "按鈕下", @@ -1472,38 +1440,15 @@ "not_completed": "未完成", "checking": "檢查中", "failure": "失敗", - "opened": "已開啟", - "device_admin": "裝置管理員", - "kiosk_mode": "機台模式", - "plugged_in": "已插入", - "load_start_url": "載入起始 URL", - "restart_browser": "重啟瀏覽器", - "restart_device": "重啟裝置", - "send_to_background": "傳送至後台", - "bring_to_foreground": "切還回前台", - "screen_brightness": "螢幕亮度", - "screen_off_timer": "螢幕關閉計時器", - "screensaver_brightness": "螢幕保護亮度", - "screensaver_timer": "螢幕保護計時器", - "current_page": "目前頁面", - "foreground_app": "前台應用程式", - "internal_storage_free_space": "內部儲存可用容量", - "internal_storage_total_space": "內部儲存總容量", - "free_memory": "可用記憶體", - "total_memory": "總記憶體", - "screen_orientation": "螢幕顯示方向", - "kiosk_lock": "機台模式鎖定", - "maintenance_mode": "維護模式", - "motion_detection": "偵測到動作", - "screensaver": "螢幕保護", - "compressor_energy_consumption": "壓縮機能耗", - "compressor_estimated_power_consumption": "壓縮機預估功耗", - "compressor_frequency": "壓縮機頻率", - "cool_energy_consumption": "製冷能消耗", - "energy_consumption": "能源耗能", - "heat_energy_consumption": "熱能消耗", - "inside_temperature": "室內溫度", - "outside_temperature": "戶外溫度", + "os_agent_version": "OS Agent 版本", + "apparmor_version": "Apparmor 版本", + "cpu_percent": "CPU 百分比", + "disk_free": "可用空間", + "disk_total": "總容量", + "disk_used": "已使用空間", + "memory_percent": "記憶體百分比", + "version": "版本", + "newest_version": "最新版本", "next_dawn": "下次清晨", "next_dusk": "下次黃昏", "next_midnight": "下次午夜", @@ -1513,17 +1458,124 @@ "solar_azimuth": "太陽方位", "solar_elevation": "太陽高度", "solar_rising": "太陽升起", - "calibration": "校正", - "auto_lock_paused": "自動上鎖已暫停", - "timeout": "逾時", - "unclosed_alarm": "未關閉警報", - "unlocked_alarm": "未上鎖警報", - "bluetooth_signal": "藍牙訊號", - "light_level": "光線等級", - "wi_fi_signal": "Wi-Fi 訊號", - "momentary": "瞬間", - "pull_retract": "拉動/收回", + "compressor_energy_consumption": "壓縮機能耗", + "compressor_estimated_power_consumption": "壓縮機預估功耗", + "compressor_frequency": "壓縮機頻率", + "cool_energy_consumption": "製冷能消耗", + "energy_consumption": "能源耗能", + "heat_energy_consumption": "熱能消耗", + "inside_temperature": "室內溫度", + "outside_temperature": "戶外溫度", + "assist_in_progress": "助理進行中", + "preferred": "首選", + "finished_speaking_detection": "語音完成偵測", + "aggressive": "活力", + "default": "預設", + "relaxed": "放鬆", + "device_admin": "裝置管理員", + "kiosk_mode": "機台模式", + "plugged_in": "已插入", + "load_start_url": "載入起始 URL", + "restart_browser": "重啟瀏覽器", + "restart_device": "重啟裝置", + "send_to_background": "傳送至後台", + "bring_to_foreground": "切還回前台", + "screenshot": "截圖", + "overlay_message": "覆蓋訊息", + "screen_brightness": "螢幕亮度", + "screen_off_timer": "螢幕關閉計時器", + "screensaver_brightness": "螢幕保護亮度", + "screensaver_timer": "螢幕保護計時器", + "current_page": "目前頁面", + "foreground_app": "前台應用程式", + "internal_storage_free_space": "內部儲存可用容量", + "internal_storage_total_space": "內部儲存總容量", + "free_memory": "可用記憶體", + "total_memory": "總記憶體", + "screen_orientation": "螢幕顯示方向", + "kiosk_lock": "機台模式鎖定", + "maintenance_mode": "維護模式", + "motion_detection": "偵測到動作", + "screensaver": "螢幕保護", + "battery_low": "電量低", + "cloud_connection": "雲端連線", + "humidity_warning": "濕度警告", + "overheated": "過熱", + "temperature_warning": "溫度警告", + "update_available": "有更新", + "dry": "除濕", + "wet": "潮濕", + "stop_alarm": "停止警報", + "test_alarm": "測試警報", + "turn_off_in": "關閉時間", + "smooth_off": "平順關閉", + "smooth_on": "平順開啟", + "temperature_offset": "溫度偏移", + "alarm_sound": "警報聲響", + "alarm_volume": "警報音量", + "light_preset": "燈號預置", + "alarm_source": "警報來源", + "auto_off_at": "自動關閉時間", + "available_firmware_version": "可用韌體版本", + "this_month_s_consumption": "本月耗能", + "today_s_consumption": "今日耗能", + "total_consumption": "總耗電", + "device_name_current": "{device_name}電流", + "current_consumption": "Current Consumption", + "device_name_current_consumption": "{device_name}目前耗能", + "current_firmware_version": "目前韌體版本", + "device_time": "裝置時間", + "on_since": "自從", + "report_interval": "回報頻率", + "signal_strength": "訊號強度", + "signal_level": "訊號等級", + "ssid": "SSID", + "device_name_today_s_consumption": "{device_name}今日耗能", + "device_name_total_consumption": "{device_name}總耗能", + "voltage": "電壓", + "device_name_voltage": "{device_name}電壓", + "auto_off_enabled": "自動關閉已開啟", + "auto_update_enabled": "自動更新已開啟", + "fan_sleep_mode": "風扇睡眠模式", + "led": "LED", + "smooth_transitions": "平順轉換", + "process_process": "{process} 處理程序", + "disk_free_mount_point": "{mount_point} 可用空間", + "disk_use_mount_point": "{mount_point} 已使用空間", + "disk_usage_mount_point": "{mount_point} 磁碟使用量", + "ipv_address_ip_address": "IPv6 位址 {ip_address}", + "last_boot": "上次開機", + "load_m": "負載(5m)", + "memory_use": "記憶體使用量", + "memory_usage": "記憶體使用率", + "network_in_interface": "{interface} 下行網路", + "network_out_interface": "{interface} 上行網路", + "packets_in_interface": "{interface} 下行封包", + "packets_out_interface": "{interface} 上行封包", + "processor_temperature": "處理器溫度", + "processor_use": "處理器使用率", + "swap_free": "暫存可用量", + "swap_use": "暫存使用量", + "swap_usage": "暫存使用率", + "network_throughput_in_interface": "{interface} 網路下行吞吐量", + "network_throughput_out_interface": "{interface} 網路上行吞吐量", + "estimated_distance": "預估距離", + "vendor": "廠商", + "air_quality_index": "空氣質量指數", + "illuminance": "照度", + "noise": "雜訊", + "overload": "過載", + "size": "大小", + "size_in_bytes": "大小(Bytes)", + "bytes_received": "已接收位元組", + "server_country": "伺服器國家", + "server_id": "伺服器 ID", + "server_name": "伺服器名稱", + "ping": "Ping", + "upload": "上傳", + "bytes_sent": "已傳送位元組", "animal": "動物", + "detected": "已觸發", "animal_lens": "動物鏡頭 1", "face": "臉部", "face_lens": "臉部鏡頭 1", @@ -1533,6 +1585,9 @@ "person_lens": "人員鏡頭 1", "pet": "寵物", "pet_lens": "寵物鏡頭 1", + "sleep_status": "休眠狀態", + "awake": "喚醒", + "sleeping": "休眠中", "vehicle": "車輛", "vehicle_lens": "車輛鏡頭 1", "visitor": "訪客", @@ -1590,6 +1645,7 @@ "image_sharpness": "影像清晰度", "motion_sensitivity": "偵測靈敏度", "pir_sensitivity": "PIR 敏感度", + "volume": "音量", "zoom": "縮放", "auto_quick_reply_message": "自動快速回覆訊息", "auto_track_method": "自動追蹤方式", @@ -1598,15 +1654,16 @@ "pan_tilt_first": "平移/傾斜優先", "day_night_mode": "白天夜間模式", "black_white": "黑白", + "doorbell_led": "門鈴 LED", + "always_on": "總是開啟", + "state_alwaysonatnight": "自動並於夜間常亮", + "stay_off": "保持關閉", "floodlight_mode": "泛光燈模式", "adaptive": "自適應", "auto_adaptive": "自動適應", "on_at_night": "於夜間開啟", "play_quick_reply_message": "播放快速回覆訊息", "ptz_preset": "PTZ 預置", - "always_on": "總是開啟", - "state_alwaysonatnight": "自動並於夜間常亮", - "stay_off": "保持關閉", "battery_percentage": "電池百分比", "battery_state": "電池狀態", "charge_complete": "充電完成", @@ -1620,6 +1677,7 @@ "hdd_hdd_index_storage": "HDD {hdd_index} 儲存", "ptz_pan_position": "PTZ 雲台位置", "sd_hdd_index_storage": "SD {hdd_index} 儲存", + "wi_fi_signal": "Wi-Fi 訊號", "auto_focus": "自動對焦", "auto_tracking": "自動追蹤", "buzzer_on_event": "事件蜂鳴器", @@ -1628,6 +1686,7 @@ "ftp_upload": "FTP 上傳", "guard_return": "保全返回", "hdr": "HDR", + "manual_record": "手動記錄", "pir_enabled": "PIR 已開啟", "pir_reduce_false_alarm": "PIR 減低誤報", "ptz_patrol": "PTZ 巡航", @@ -1635,85 +1694,149 @@ "record": "錄影", "record_audio": "錄製聲音", "siren_on_event": "事件警報器", - "process_process": "{process} 處理程序", - "disk_free_mount_point": "{mount_point} 可用空間", - "disk_use_mount_point": "{mount_point} 已使用空間", - "disk_usage_mount_point": "{mount_point} 磁碟使用量", - "ipv_address_ip_address": "IPv6 位址 {ip_address}", - "last_boot": "上次開機", - "load_m": "負載(5m)", - "memory_use": "記憶體使用量", - "memory_usage": "記憶體使用率", - "network_in_interface": "{interface} 下行網路", - "network_out_interface": "{interface} 上行網路", - "packets_in_interface": "{interface} 下行封包", - "packets_out_interface": "{interface} 上行封包", - "processor_temperature": "處理器溫度", - "processor_use": "處理器使用率", - "swap_free": "暫存可用量", - "swap_use": "暫存使用量", - "swap_usage": "暫存使用率", - "network_throughput_in_interface": "{interface} 網路下行吞吐量", - "network_throughput_out_interface": "{interface} 網路上行吞吐量", - "gps_accuracy": "GPS 精准度", - "max_running_scripts": "最大執行腳本數", + "call_active": "通話啟用", + "mute": "靜音", + "auto_gain": "自動增益", + "mic_volume": "麥克風音量", + "noise_suppression": "噪音抑制", + "noise_suppression_level": "噪音抑制等級", + "satellite_enabled": "衛星圖已開啟", + "calibration": "校正", + "auto_lock_paused": "自動上鎖已暫停", + "timeout": "逾時", + "unclosed_alarm": "未關閉警報", + "unlocked_alarm": "未上鎖警報", + "bluetooth_signal": "藍牙訊號", + "light_level": "光線等級", + "momentary": "瞬間", + "pull_retract": "拉動/收回", + "ding": "叮", + "doorbell_volume": "門鈴音量", + "last_activity": "上次活動", + "last_ding": "最後的叮噹聲", + "last_motion": "最後一項运动", + "voice_volume": "語音音量", + "wi_fi_signal_category": "Wi-Fi信號類別", + "wi_fi_signal_strength": "Wi-Fi 信號強度", + "box": "勾選盒", + "step": "階段", + "apparent_power": "視在功率", + "atmospheric_pressure": "氣壓", + "carbon_dioxide": "二氧化碳", + "data_rate": "數據速率", + "distance": "距離", + "stored_energy": "儲能", + "frequency": "頻率", + "irradiance": "輻照度", + "nitrogen_dioxide": "二氧化氮", + "nitrogen_monoxide": "一氧化氮", + "nitrous_oxide": "氧化亞氮", + "ozone": "臭氧", + "ph": "pH", + "pm": "PM2.5", + "power_factor": "功率因數", + "precipitation_intensity": "降水強度", + "pressure": "壓力", + "reactive_power": "無功效率", + "sound_pressure": "聲壓", + "speed": "轉速", + "sulphur_dioxide": "二氧化硫", + "vocs": "VOC", + "volume_flow_rate": "體積流率", + "stored_volume": "儲存量", + "weight": "重量", + "available_tones": "可用音調", + "end_time": "結束時間", + "start_time": "開始時間", + "managed_via_ui": "透過 UI 管理", + "next_event": "下一個事件", + "stopped": "已停止", + "garage": "車庫", + "id": "ID", + "max_running_automations": "最大執行自動化數", "run_mode": "執行模式", "parallel": "並行", "queued": "佇列", "one": "單次", - "end_time": "結束時間", - "start_time": "開始時間", - "recording": "錄影中", - "streaming": "監控中", - "access_token": "存取密鑰", - "brand": "品牌", - "stream_type": "串流類型", - "hls": "HLS", - "webrtc": "WebRTC", - "model": "型號", - "bluetooth_le": "藍牙 BLE", - "gps": "GPS", - "router": "路由器", - "cool": "冷氣", - "dry": "除濕", - "fan_only": "僅送風", - "heat_cool": "暖氣/冷氣", - "aux_heat": "輔助暖氣", - "current_humidity": "目前濕度", - "current_temperature": "Current Temperature", - "diffuse": "發散", - "current_action": "目前動作", - "heating": "暖氣", - "preheating": "預熱中", - "max_target_humidity": "最高設定濕度", - "max_target_temperature": "最高設定溫度", - "min_target_humidity": "最低設定濕度", - "min_target_temperature": "最低設定溫度", - "boost": "全速", - "comfort": "舒適", - "eco": "節能", - "sleep": "睡眠", - "all": "全部", - "horizontal": "水平擺動", - "upper_target_temperature": "較高設定溫度", - "lower_target_temperature": "較低設定溫度", - "target_temperature_step": "設定溫度步驟", - "buffering": "緩衝", - "paused": "已暫停", - "playing": "播放中", - "app_id": "App ID", - "local_accessible_entity_picture": "本地可存取實體圖片", - "group_members": "群組成員", - "album_artist": "專輯藝人", - "content_id": "內容 ID", + "not_charging": "未在充電", + "disconnected": "已斷線", + "connected": "已連線", + "no_light": "無光", + "light_detected": "有光", + "locked": "已上鎖", + "unlocked": "已解鎖", + "not_moving": "未在移動", + "unplugged": "未插入", + "not_running": "未執行", + "unsafe": "危險", + "tampering_detected": "檢測到篡改", + "buffering": "緩衝", + "paused": "已暫停", + "playing": "播放中", + "app_id": "App ID", + "local_accessible_entity_picture": "本地可存取實體圖片", + "group_members": "群組成員", + "album_artist": "專輯藝人", + "content_id": "內容 ID", "content_type": "內容類型", "position_updated": "位置已更新", "series": "系列", + "all": "全部", "available_sound_modes": "可用音效模式", "available_sources": "可用來源", "receiver": "接收器", "speaker": "揚聲器", "tv": "電視", + "above_horizon": "日出", + "speed_step": "變速", + "available_preset_modes": "可用預置模式", + "armed_custom_bypass": "自訂忽略警戒", + "disarming": "解除中", + "changed_by": "變更者", + "code_for_arming": "佈防代碼", + "not_required": "非必要", + "code_format": "代碼格式", + "gps_accuracy": "GPS 精准度", + "bluetooth_le": "藍牙 BLE", + "gps": "GPS", + "router": "路由器", + "event_type": "事件類別", + "doorbell": "門鈴", + "max_running_scripts": "最大執行腳本數", + "jammed": "卡住", + "locking": "上鎖中", + "unlocking": "解鎖中", + "cool": "冷氣", + "fan_only": "僅送風", + "heat_cool": "暖氣/冷氣", + "aux_heat": "輔助暖氣", + "current_humidity": "目前濕度", + "current_temperature": "Current Temperature", + "diffuse": "發散", + "current_action": "目前動作", + "heating": "暖氣", + "preheating": "預熱中", + "max_target_humidity": "最高設定濕度", + "max_target_temperature": "最高設定溫度", + "min_target_humidity": "最低設定濕度", + "min_target_temperature": "最低設定溫度", + "boost": "全速", + "comfort": "舒適", + "eco": "節能", + "sleep": "睡眠", + "horizontal": "水平擺動", + "upper_target_temperature": "較高設定溫度", + "lower_target_temperature": "較低設定溫度", + "target_temperature_step": "設定溫度步驟", + "last_reset": "上次重置", + "possible_states": "可能狀態", + "state_class": "狀態類別", + "measurement": "測量", + "total": "總計", + "total_increasing": "總增加", + "conductivity": "電導率", + "data_size": "資料大小", + "timestamp": "時間戳記", "color_mode": "Color Mode", "brightness_only": "僅亮度", "hs": "HS", @@ -1729,72 +1852,6 @@ "minimum_color_temperature_kelvin": "最低色溫(Kelvin)", "minimum_color_temperature_mireds": "最低色溫(Mireds)", "available_color_modes": "可用顏色模式", - "event_type": "事件類別", - "doorbell": "門鈴", - "available_tones": "可用音調", - "locked": "已上鎖", - "unlocked": "已解鎖", - "members": "成員", - "managed_via_ui": "透過 UI 管理", - "id": "ID", - "max_running_automations": "最大執行自動化數", - "finishes_at": "完成於", - "remaining": "剩餘", - "next_event": "下一個事件", - "update_available": "有更新", - "auto_update": "自動更新", - "in_progress": "進行中", - "installed_version": "已安裝版本", - "release_summary": "發佈摘要", - "release_url": "發佈網址", - "skipped_version": "已忽略的版本", - "firmware": "韌體", - "box": "勾選盒", - "step": "階段", - "apparent_power": "視在功率", - "atmospheric_pressure": "氣壓", - "carbon_dioxide": "二氧化碳", - "data_rate": "數據速率", - "distance": "距離", - "stored_energy": "儲能", - "frequency": "頻率", - "irradiance": "輻照度", - "nitrogen_dioxide": "二氧化氮", - "nitrogen_monoxide": "一氧化氮", - "nitrous_oxide": "氧化亞氮", - "ozone": "臭氧", - "ph": "pH", - "pm": "PM2.5", - "power_factor": "功率因數", - "precipitation_intensity": "降水強度", - "pressure": "壓力", - "reactive_power": "無功效率", - "signal_strength": "訊號強度", - "sound_pressure": "聲壓", - "speed": "轉速", - "sulphur_dioxide": "二氧化硫", - "vocs": "VOC", - "volume_flow_rate": "體積流率", - "stored_volume": "儲存量", - "weight": "重量", - "stopped": "已停止", - "garage": "車庫", - "pattern": "圖案", - "armed_custom_bypass": "自訂忽略警戒", - "disarming": "解除中", - "detected": "已觸發", - "changed_by": "變更者", - "code_for_arming": "佈防代碼", - "not_required": "非必要", - "code_format": "代碼格式", - "last_reset": "上次重置", - "possible_states": "可能狀態", - "state_class": "狀態類別", - "measurement": "測量", - "total": "總計", - "total_increasing": "總增加", - "data_size": "資料大小", - "timestamp": "時間戳記", "clear_night": "晴朗的夜晚", "cloudy": "多雲", "exceptional": "例外", @@ -1817,58 +1874,79 @@ "uv_index": "紫外線指數", "wind_bearing": "風向", "wind_gust_speed": "陣風風速", - "above_horizon": "日出", - "speed_step": "變速", - "available_preset_modes": "可用預置模式", - "jammed": "卡住", - "locking": "上鎖中", - "unlocking": "解鎖中", - "identify": "識別", - "not_charging": "未在充電", - "disconnected": "已斷線", - "connected": "已連線", - "no_light": "無光", - "light_detected": "有光", - "wet": "潮濕", - "not_moving": "未在移動", - "unplugged": "未插入", - "not_running": "未執行", - "unsafe": "危險", - "tampering_detected": "檢測到篡改", + "recording": "錄影中", + "streaming": "監控中", + "access_token": "存取密鑰", + "brand": "品牌", + "stream_type": "串流類型", + "hls": "HLS", + "webrtc": "WebRTC", + "model": "型號", "minute": "分", "second": "秒", - "location_is_already_configured": "座標已經設定完成", - "failed_to_connect_error": "連線失敗:{error}", - "invalid_api_key": "API 金鑰無效", - "api_key": "API 金鑰", + "pattern": "圖案", + "members": "成員", + "finishes_at": "完成於", + "remaining": "剩餘", + "identify": "識別", + "auto_update": "自動更新", + "in_progress": "進行中", + "installed_version": "已安裝版本", + "release_summary": "發佈摘要", + "release_url": "發佈網址", + "skipped_version": "已忽略的版本", + "firmware": "韌體", + "abort_single_instance_allowed": "已經設定完成、僅能設定一組裝置。", "user_description": "是否要開始設定?", + "device_is_already_configured": "裝置已經設定完成", + "re_authentication_was_successful": "重新認證成功", + "re_configuration_was_successful": "重新設定成功", + "failed_to_connect": "連線失敗", + "error_custom_port_not_supported": "Gen1 裝置不支援自訂通訊埠。", + "invalid_authentication": "身份驗證無效", + "unexpected_error": "未預期錯誤", + "username": "使用者名稱", + "host": "Host", + "port": "通訊埠", "account_is_already_configured": "帳號已經設定完成", "abort_already_in_progress": "設定已經進行中", - "failed_to_connect": "連線失敗", "invalid_access_token": "存取權杖無效", "received_invalid_token_data": "收到無效的權杖資料。", "abort_oauth_failed": "取得存取權杖時出現錯誤。", "timeout_resolving_oauth_token": "解析 OAuth 權杖逾時。", "abort_oauth_unauthorized": "取得存取權杖時 OAuth 授權錯誤。", - "re_authentication_was_successful": "重新認證成功", - "timeout_establishing_connection": "建立連線逾時", - "unexpected_error": "未預期錯誤", "successfully_authenticated": "已成功認證", - "link_google_account": "連結 Google 帳號", + "link_fitbit": "連結 Fitbit", "pick_authentication_method": "選擇驗證模式", "authentication_expired_for_name": "{name} 認證已過期", - "service_is_already_configured": "服務已經設定完成", - "confirm_description": "是否要設定 {name}?", - "device_is_already_configured": "裝置已經設定完成", - "abort_no_devices_found": "網路上找不到裝置", - "connection_error_error": "連線錯誤:{error}", - "invalid_authentication_error": "驗證無效:{error}", - "name_model_host": "{name} {model} ({host})", - "username": "使用者名稱", - "authenticate": "認證", - "host": "Host", - "abort_single_instance_allowed": "已經設定完成、僅能設定一組裝置。", "component_cloud_config_step_other": "空白", + "service_is_already_configured": "服務已經設定完成", + "name_manufacturer_model": "{name} {manufacturer} {model}", + "bluetooth_confirm_description": "是否要設定 {name}?", + "adapter": "傳輸器", + "multiple_adapters_description": "選擇進行設定的藍牙傳輸器", + "abort_already_configured": "Device has already been configured.", + "invalid_host": "Invalid host.", + "wrong_smartthings_token": "Wrong SmartThings token.", + "error_st_device_not_found": "SmartThings TV deviceID not found.", + "error_st_device_used": "SmartThings TV deviceID already used.", + "samsungtv_smart_model": "SamsungTV Smart: {model}", + "host_or_ip_address": "Host or IP address", + "data_name": "Name assigned to the entity", + "smartthings_generated_token_optional": "SmartThings generated token (optional)", + "smartthings_tv": "SmartThings TV", + "smartthings_tv_deviceid": "SmartThings TV deviceID", + "api_key": "API 金鑰", + "configure_daikin_ac": "設定大金空調", + "abort_device_updated": "Device configuration has been updated!", + "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", + "error_device_list_failed": "Failed to retrieve device list.\n{msg}", + "cloud_api_account_configuration": "Cloud API account configuration", + "api_server_region": "API server region", + "client_id": "Client ID", + "secret": "Secret", + "user_id": "User ID", + "data_no_cloud": "Do not configure Cloud API account", "solis_setup_flow": "Solis setup flow", "error_auth": "Personal Access Token is not correct", "portal_selection": "Portal selection", @@ -1884,6 +1962,31 @@ "data_portal_secret": "API Secret provided by SolisCloud", "enter_credentials_and_stationid": "Enter credentials and stationID", "add_soliscloud_credentials": "Add SolisCloud credentials", + "cannot_connect_details_error_detail": "無法連線。詳細資訊:{error_detail}", + "unknown_details_error_detail": "未知。詳細資訊:{error_detail}", + "uses_an_ssl_certificate": "使用 SSL 認證", + "verify_ssl_certificate": "確認 SSL 認證", + "timeout_establishing_connection": "建立連線逾時", + "link_google_account": "連結 Google 帳號", + "abort_no_devices_found": "網路上找不到裝置", + "connection_error_error": "連線錯誤:{error}", + "invalid_authentication_error": "驗證無效:{error}", + "name_model_host": "{name} {model} ({host})", + "authenticate": "認證", + "device_class": "裝置類別", + "state_template": "狀態模板", + "template_binary_sensor": "模板二進位感測器", + "template_sensor": "模板感測器", + "template_a_binary_sensor": "模板新二進位感測器", + "template_a_sensor": "模板新感測器", + "template_helper": "模板助手", + "location_is_already_configured": "座標已經設定完成", + "failed_to_connect_error": "連線失敗:{error}", + "invalid_api_key": "API 金鑰無效", + "pin_code": "PIN 碼", + "discovered_android_tv": "自動搜索到的 Android TV", + "known_hosts": "已知主機", + "google_cast_configuration": "Google Cast 設定", "abort_invalid_host": "無效主機名稱或 IP 位址", "device_not_supported": "裝置不支援", "name_model_at_host": "{name}(位於 {host} 之 {model} )", @@ -1893,30 +1996,6 @@ "yes_do_it": "是,執行。", "unlock_the_device_optional": "解鎖裝置(選項)", "connect_to_the_device": "連線至裝置", - "no_port_for_endpoint": "端點沒有通訊埠", - "abort_no_services": "端點找不到任何服務", - "port": "通訊埠", - "discovered_wyoming_service": "自動搜索到 Wyoming 服務", - "invalid_authentication": "身份驗證無效", - "two_factor_code": "雙重認證碼", - "two_factor_authentication": "雙重認證", - "sign_in_with_ring_account": "以 Ring 帳號登入", - "hacs_is_not_setup": "HACS is not setup.", - "reauthentication_was_successful": "Reauthentication was successful.", - "waiting_for_device_activation": "Waiting for device activation", - "reauthentication_needed": "Reauthentication needed", - "reauth_confirm_description": "You need to reauthenticate with GitHub.", - "link_fitbit": "連結 Fitbit", - "abort_already_configured": "Device has already been configured.", - "abort_device_updated": "Device configuration has been updated!", - "failed_to_authenticate_msg": "Failed to authenticate.\n{msg}", - "error_device_list_failed": "Failed to retrieve device list.\n{msg}", - "cloud_api_account_configuration": "Cloud API account configuration", - "api_server_region": "API server region", - "client_id": "Client ID", - "secret": "Secret", - "user_id": "User ID", - "data_no_cloud": "Do not configure Cloud API account", "invalid_birth_topic": "Birth 主題無效", "error_bad_certificate": "CA 認證無效", "invalid_discovery_prefix": "搜索主題 prefix 無效", @@ -1940,8 +2019,9 @@ "path_is_not_allowed": "路徑不允許", "path_is_not_valid": "路徑無效", "path_to_file": "檔案路徑", - "known_hosts": "已知主機", - "google_cast_configuration": "Google Cast 設定", + "api_error_occurred": "發生 API 錯誤", + "hostname_ip_address": "{hostname} ({ip_address})", + "enable_https": "開啟 HTTPS", "abort_mdns_missing_mac": "MDNS 屬性中缺少 MAC 位址。", "abort_mqtt_missing_api": "MQTT 屬性中缺少 API 連接埠。", "abort_mqtt_missing_ip": "MQTT 屬性中缺少 IP 位址。", @@ -1949,10 +2029,34 @@ "service_received": "收到服務", "discovered_esphome_node": "自動探索到 ESPHome 節點", "encryption_key": "加密金鑰", + "no_port_for_endpoint": "端點沒有通訊埠", + "abort_no_services": "端點找不到任何服務", + "discovered_wyoming_service": "自動搜索到 Wyoming 服務", + "abort_api_error": "與 SwitchBot API 通訊時出現錯誤: {error_detail}", + "unsupported_switchbot_type": "不支持的 Switchbot 類別。", + "authentication_failed_error_detail": "驗證失敗:{error_detail}", + "error_encryption_key_invalid": "金鑰 ID 或加密金鑰無效", + "name_address": "{name} ({address})", + "switchbot_account_recommended": "SwitchBot 帳號(推薦)", + "menu_options_lock_key": "手動輸入門鎖加密金鑰", + "key_id": "金鑰 ID", + "password_description": "用於保護備份的密碼。", + "device_address": "裝置位址", + "meteorologisk_institutt": "Meteorologisk institutt", + "two_factor_code": "雙重認證碼", + "two_factor_authentication": "雙重認證", + "sign_in_with_ring_account": "以 Ring 帳號登入", + "bridge_is_already_configured": "Bridge 已經設定完成", + "no_deconz_bridges_discovered": "未發現到 deCONZ Bridfe", + "abort_no_hardware_available": "deCONZ 沒有任何無線電裝置連線", + "abort_updated_instance": "使用新主機端位址更新 deCONZ 裝置", + "error_linking_not_possible": "無法與路由器連線", + "error_no_key": "無法取得 API key", + "link_with_deconz": "連結至 deCONZ", + "select_discovered_deconz_gateway": "選擇所探索到的 deCONZ 閘道器", "all_entities": "所有實體", "hide_members": "隱藏成員", "add_group": "新增群組", - "device_class": "裝置類別", "ignore_non_numeric": "忽略非數字", "data_round_digits": "四捨五入小數位數", "binary_sensor_group": "二進位感測器群組", @@ -1964,82 +2068,50 @@ "media_player_group": "媒體播放器群組", "sensor_group": "感測器群組", "switch_group": "開關群組", - "name_already_exists": "該名稱已存在", - "passive": "被動", - "define_zone_parameters": "定義區域參數", - "invalid_host": "Invalid host.", - "wrong_smartthings_token": "Wrong SmartThings token.", - "error_st_device_not_found": "SmartThings TV deviceID not found.", - "error_st_device_used": "SmartThings TV deviceID already used.", - "samsungtv_smart_model": "SamsungTV Smart: {model}", - "host_or_ip_address": "Host or IP address", - "data_name": "Name assigned to the entity", - "smartthings_generated_token_optional": "SmartThings generated token (optional)", - "smartthings_tv": "SmartThings TV", - "smartthings_tv_deviceid": "SmartThings TV deviceID", - "re_configuration_was_successful": "重新設定成功", - "error_custom_port_not_supported": "Gen1 裝置不支援自訂通訊埠。", "abort_alternative_integration": "使用其他整合以取得更佳的裝置支援", "abort_discovery_error": "DLNA 裝置搜索失敗", "abort_incomplete_config": "所缺少的設定為必須變數", "manual_description": "裝置說明 XML 檔案之 URL", "manual_title": "手動 DLNA DMR 裝置連線", "discovered_dlna_dmr_devices": "自動搜索到的 DLNA DMR 裝置", + "hacs_is_not_setup": "HACS is not setup.", + "reauthentication_was_successful": "Reauthentication was successful.", + "waiting_for_device_activation": "Waiting for device activation", + "reauthentication_needed": "Reauthentication needed", + "reauth_confirm_description": "You need to reauthenticate with GitHub.", + "name_already_exists": "該名稱已存在", + "passive": "被動", + "define_zone_parameters": "定義區域參數", "calendar_name": "行事曆名稱", - "name_manufacturer_model": "{name} {manufacturer} {model}", - "adapter": "傳輸器", - "multiple_adapters_description": "選擇進行設定的藍牙傳輸器", - "cannot_connect_details_error_detail": "無法連線。詳細資訊:{error_detail}", - "unknown_details_error_detail": "未知。詳細資訊:{error_detail}", - "uses_an_ssl_certificate": "使用 SSL 認證", - "verify_ssl_certificate": "確認 SSL 認證", - "configure_daikin_ac": "設定大金空調", - "pin_code": "PIN 碼", - "discovered_android_tv": "自動搜索到的 Android TV", - "state_template": "狀態模板", - "template_binary_sensor": "模板二進位感測器", - "template_sensor": "模板感測器", - "template_a_binary_sensor": "模板新二進位感測器", - "template_a_sensor": "模板新感測器", - "template_helper": "模板助手", - "bridge_is_already_configured": "Bridge 已經設定完成", - "no_deconz_bridges_discovered": "未發現到 deCONZ Bridfe", - "abort_no_hardware_available": "deCONZ 沒有任何無線電裝置連線", - "abort_updated_instance": "使用新主機端位址更新 deCONZ 裝置", - "error_linking_not_possible": "無法與路由器連線", - "error_no_key": "無法取得 API key", - "link_with_deconz": "連結至 deCONZ", - "select_discovered_deconz_gateway": "選擇所探索到的 deCONZ 閘道器", - "abort_api_error": "與 SwitchBot API 通訊時出現錯誤: {error_detail}", - "unsupported_switchbot_type": "不支持的 Switchbot 類別。", - "authentication_failed_error_detail": "驗證失敗:{error_detail}", - "error_encryption_key_invalid": "金鑰 ID 或加密金鑰無效", - "name_address": "{name} ({address})", - "switchbot_account_recommended": "SwitchBot 帳號(推薦)", - "menu_options_lock_key": "手動輸入門鎖加密金鑰", - "key_id": "金鑰 ID", - "password_description": "用於保護備份的密碼。", - "device_address": "裝置位址", - "meteorologisk_institutt": "Meteorologisk institutt", - "api_error_occurred": "發生 API 錯誤", - "hostname_ip_address": "{hostname} ({ip_address})", - "enable_https": "開啟 HTTPS", - "enable_the_conversation_agent": "啟用對話助理", - "language_code": "語言代碼", - "select_test_server": "選擇測試伺服器", - "data_allow_nameless_uuids": "目前允許 UUIDs、取消勾選以移除", - "minimum_rssi": "最小 RSSI 值", - "data_new_uuid": "輸入新允許 UUID", - "abort_pending_tasks": "There are pending tasks. Try again later.", - "data_not_in_use": "Not in use with YAML", - "filter_with_country_code": "Filter with country code", - "enable_experimental_features": "Enable experimental features", - "data_release_limit": "Number of releases to show", - "enable_debug": "Enable debug", - "data_appdaemon": "Enable AppDaemon apps discovery & tracking", - "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", - "side_panel_icon": "Side panel icon", - "side_panel_title": "Side panel title", + "bluetooth_scanner_mode": "藍芽掃瞄器模式", + "passive_scanning": "被動掃描", + "samsungtv_smart_options": "SamsungTV Smart options", + "data_use_st_status_info": "Use SmartThings TV Status information", + "data_use_st_channel_info": "Use SmartThings TV Channels information", + "data_show_channel_number": "Use SmartThings TV Channels number information", + "data_app_load_method": "Applications list load mode at startup", + "data_use_local_logo": "Allow use of local logo images", + "data_power_on_method": "Method used to turn on TV", + "show_options_menu": "Show options menu", + "samsungtv_smart_options_menu": "SamsungTV Smart options menu", + "applications_list_configuration": "Applications list configuration", + "channels_list_configuration": "Channels list configuration", + "standard_options": "Standard options", + "save_options_and_exit": "Save options and exit", + "sources_list_configuration": "Sources list configuration", + "synched_entities_configuration": "Synched entities configuration", + "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", + "applications_launch_method_used": "Applications launch method used", + "data_power_on_delay": "Seconds to delay power ON status", + "data_ext_power_entity": "Binary sensor to help detect power status", + "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", + "app_list_title": "SamsungTV Smart applications list configuration", + "applications_list": "Applications list:", + "channel_list_title": "SamsungTV Smart channels list configuration", + "channels_list": "Channels list:", + "source_list_title": "SamsungTV Smart sources list configuration", + "sources_list": "Sources list:", + "error_invalid_tv_list": "Invalid format. Please check documentation", "device_dev_name_successfully_action": "Device {dev_name} successfully {action}.", "not_supported": "Not Supported", "localtuya_configuration": "LocalTuya Configuration", @@ -2122,6 +2194,23 @@ "enable_heuristic_action_optional": "Enable heuristic action (optional)", "data_dps_default_value": "Default value when un-initialised (optional)", "minimum_increment_between_numbers": "Minimum increment between numbers", + "enable_the_conversation_agent": "啟用對話助理", + "language_code": "語言代碼", + "data_process": "新增感測器的程序", + "data_app_delete": "檢查以刪除此應用程式", + "application_icon": "應用程式圖示", + "application_id": "應用程式 ID", + "application_name": "應用程式名稱", + "configure_application_id_app_id": "設定應用程式 ID {app_id}", + "configure_android_apps": "設定 Android App", + "configure_applications_list": "設定應用程式列表", + "data_allow_nameless_uuids": "目前允許 UUIDs、取消勾選以移除", + "minimum_rssi": "最小 RSSI 值", + "data_new_uuid": "輸入新允許 UUID", + "data_calendar_access": "Home Assistant 存取 Google Calendar", + "ignore_cec": "忽略 CEC", + "allowed_uuids": "已允許 UUID", + "advanced_google_cast_configuration": "Google Cast 進階設定", "broker_options": "Broker 選項", "enable_birth_message": "開啟 Birth 訊息", "birth_message_payload": "Birth 訊息 payload", @@ -2135,104 +2224,37 @@ "will_message_retain": "Will 訊息 Retain", "will_message_topic": "Will 訊息主題", "mqtt_options": "MQTT 選項", - "ignore_cec": "忽略 CEC", - "allowed_uuids": "已允許 UUID", - "advanced_google_cast_configuration": "Google Cast 進階設定", - "samsungtv_smart_options": "SamsungTV Smart options", - "data_use_st_status_info": "Use SmartThings TV Status information", - "data_use_st_channel_info": "Use SmartThings TV Channels information", - "data_show_channel_number": "Use SmartThings TV Channels number information", - "data_app_load_method": "Applications list load mode at startup", - "data_use_local_logo": "Allow use of local logo images", - "data_power_on_method": "Method used to turn on TV", - "show_options_menu": "Show options menu", - "samsungtv_smart_options_menu": "SamsungTV Smart options menu", - "applications_list_configuration": "Applications list configuration", - "channels_list_configuration": "Channels list configuration", - "standard_options": "Standard options", - "save_options_and_exit": "Save options and exit", - "sources_list_configuration": "Sources list configuration", - "synched_entities_configuration": "Synched entities configuration", - "samsungtv_smart_advanced_options": "SamsungTV Smart advanced options", - "applications_launch_method_used": "Applications launch method used", - "data_power_on_delay": "Seconds to delay power ON status", - "data_ext_power_entity": "Binary sensor to help detect power status", - "samsungtv_smart_synched_entities": "SamsungTV Smart synched entities", - "app_list_title": "SamsungTV Smart applications list configuration", - "applications_list": "Applications list:", - "channel_list_title": "SamsungTV Smart channels list configuration", - "channels_list": "Channels list:", - "source_list_title": "SamsungTV Smart sources list configuration", - "sources_list": "Sources list:", - "error_invalid_tv_list": "Invalid format. Please check documentation", - "bluetooth_scanner_mode": "藍芽掃瞄器模式", + "protocol": "通訊協定", + "select_test_server": "選擇測試伺服器", + "retry_count": "重試次數", + "allow_deconz_clip_sensors": "允許 deCONZ CLIP 感測器", + "allow_deconz_light_groups": "允許 deCONZ 燈光群組", + "data_allow_new_devices": "允許自動化新增裝置", + "deconz_devices_description": "設定 deCONZ 可視裝置類別", + "deconz_options": "deCONZ 選項", "invalid_url": "URL 無效", "data_browse_unfiltered": "當瀏覽時顯示不相容媒體", "event_listener_callback_url": "事件監聽回呼 URL", "data_listen_port": "事件監聽通訊埠(未設置則為隨機)", "poll_for_device_availability": "查詢裝置可用性", "init_title": "DLNA Digital Media Renderer 設定", - "passive_scanning": "被動掃描", - "allow_deconz_clip_sensors": "允許 deCONZ CLIP 感測器", - "allow_deconz_light_groups": "允許 deCONZ 燈光群組", - "data_allow_new_devices": "允許自動化新增裝置", - "deconz_devices_description": "設定 deCONZ 可視裝置類別", - "deconz_options": "deCONZ 選項", - "retry_count": "重試次數", - "data_calendar_access": "Home Assistant 存取 Google Calendar", - "protocol": "通訊協定", - "data_process": "新增感測器的程序", - "toggle_entity_name": "切換{entity_name}", - "close_entity_name": "關閉{entity_name}", - "open_entity_name": "開啟{entity_name}", - "entity_name_is_off": "{entity_name}已關閉", - "entity_name_is_on": "{entity_name}已開啟", - "trigger_type_changed_states": "{entity_name}打開或關閉", - "entity_name_is_home": "{entity_name}在家", - "entity_name_is_not_home": "{entity_name}不在家", - "entity_name_enters_a_zone": "{entity_name}進入區域", - "entity_name_leaves_a_zone": "{entity_name}離開區域", - "action_type_set_hvac_mode": "變更{entity_name} HVAC 模式", - "change_preset_on_entity_name": "變更{entity_name}設定模式", - "entity_name_measured_humidity_changed": "{entity_name}量測濕度已變更", - "entity_name_measured_temperature_changed": "{entity_name}量測溫度已變更", - "entity_name_hvac_mode_changed": "{entity_name} HVAC 模式已變更", - "entity_name_is_buffering": "{entity_name} 緩衝中", - "entity_name_is_idle": "{entity_name}閒置", - "entity_name_is_paused": "{entity_name}已暫停", - "entity_name_is_playing": "{entity_name}正在播放", - "entity_name_starts_buffering": "{entity_name}開始緩衝", - "entity_name_becomes_idle": "{entity_name}變成閒置", - "entity_name_starts_playing": "{entity_name}開始播放", + "abort_pending_tasks": "There are pending tasks. Try again later.", + "data_not_in_use": "Not in use with YAML", + "filter_with_country_code": "Filter with country code", + "enable_experimental_features": "Enable experimental features", + "data_release_limit": "Number of releases to show", + "enable_debug": "Enable debug", + "data_appdaemon": "Enable AppDaemon apps discovery & tracking", + "data_netdaemon": "[DEPRECATED] Enable NetDaemon apps discovery & tracking", + "side_panel_icon": "Side panel icon", + "side_panel_title": "Side panel title", "first_button": "第一個按鈕", "second_button": "第二個按鈕", "third_button": "第三個按鈕", "fourth_button": "第四個按鈕", - "fifth_button": "第五個按鈕", - "sixth_button": "第六個按鈕", + "subtype_button_down": "{subtype}按鈕按下", + "subtype_button_up": "{subtype}按鈕釋放", "subtype_double_clicked": "\"{subtype}\" 雙擊", - "subtype_continuously_pressed": "\"{subtype}\" 持續按下", - "trigger_type_button_long_release": "\"{subtype}\" 長按後釋放", - "subtype_quadruple_clicked": "\"{subtype}\" 四連擊", - "subtype_quintuple_clicked": "\"{subtype}\" 五連點擊", - "subtype_pressed": "\"{subtype}\" 已按下", - "subtype_released": "\"{subtype}\" 已釋放", - "subtype_triple_clicked": "\"{subtype}\" 三連點擊", - "decrease_entity_name_brightness": "降低{entity_name}亮度", - "increase_entity_name_brightness": "增加{entity_name}亮度", - "flash_entity_name": "閃動 {entity_name}", - "action_type_select_first": "將{entity_name}變更為第一個選項", - "action_type_select_last": "將{entity_name}變更為最後一個選項", - "action_type_select_next": "將{entity_name}變更為下一個選項", - "change_entity_name_option": "變更{entity_name}選項", - "action_type_select_previous": "將{entity_name}變更為上一個選項", - "current_entity_name_selected_option": "目前{entity_name}已選選項", - "entity_name_option_changed": "{entity_name}選項已變更", - "entity_name_update_availability_changed": "{entity_name}可用更新已變更", - "entity_name_became_up_to_date": "{entity_name}已最新", - "trigger_type_update": "{entity_name}有更新", - "subtype_button_down": "{subtype}按鈕按下", - "subtype_button_up": "{subtype}按鈕釋放", "subtype_double_push": "{subtype}雙按", "subtype_long_clicked": "{subtype}長點擊", "subtype_long_push": "{subtype}長按", @@ -2240,9 +2262,13 @@ "subtype_single_clicked": "{subtype}單擊", "trigger_type_single_long": "{subtype}單擊後長按", "subtype_single_push": "{subtype}單按", + "subtype_triple_clicked": "\"{subtype}\" 三連點擊", "subtype_triple_push": "{subtype}三連按", "set_value_for_entity_name": "{entity_name} 設定值", + "value": "數值", + "close_entity_name": "關閉{entity_name}", "close_entity_name_tilt": "關閉{entity_name}傾斜角度", + "open_entity_name": "開啟{entity_name}", "open_entity_name_tilt": "開啟{entity_name}傾斜角度", "set_entity_name_position": "設定{entity_name}位置", "set_entity_name_tilt_position": "設定{entity_name} 傾斜角度", @@ -2253,9 +2279,107 @@ "entity_name_opening": "{entity_name}正在開啟", "current_entity_name_position_is": "目前{entity_name}位置為", "condition_type_is_tilt_position": "目前{entity_name} 傾斜角度位置為", + "entity_name_closed": "{entity_name}已關閉", + "entity_name_is_on": "{entity_name}已開啟", "entity_name_position_changes": "{entity_name}位置變更", "entity_name_tilt_position_changes": "{entity_name}傾斜角度變更", - "send_a_notification": "傳送通知", + "entity_name_battery_is_low": "{entity_name}電量過低", + "entity_name_is_charging": "{entity_name}正在充電中", + "condition_type_is_co": "{entity_name}正偵測到一氧化碳", + "entity_name_is_cold": "{entity_name}冷", + "entity_name_connected": "{entity_name}已連線", + "entity_name_is_detecting_gas": "{entity_name}偵測到瓦斯", + "entity_name_is_hot": "{entity_name}熱", + "entity_name_is_detecting_light": "{entity_name}偵測到光線中", + "entity_name_locked": "{entity_name}已上鎖", + "entity_name_is_moist": "{entity_name}潮濕", + "entity_name_is_detecting_motion": "{entity_name}偵測到動作中", + "entity_name_is_moving": "{entity_name}移動中", + "condition_type_is_no_co": "{entity_name}未偵測到一氧化碳", + "condition_type_is_no_gas": "{entity_name}未偵測到瓦斯", + "condition_type_is_no_light": "{entity_name}未偵測到光線", + "condition_type_is_no_motion": "{entity_name}未偵測到動作", + "condition_type_is_no_problem": "{entity_name}未偵測到問題", + "condition_type_is_no_smoke": "{entity_name}未偵測到煙霧", + "condition_type_is_no_sound": "{entity_name}未偵測到聲音", + "entity_name_is_up_to_date": "{entity_name} 已最新", + "condition_type_is_no_vibration": "{entity_name}未偵測到震動", + "entity_name_battery_normal": "{entity_name}電量正常", + "entity_name_is_not_charging": "{entity_name}未在充電中", + "entity_name_is_not_cold": "{entity_name}不冷", + "entity_name_is_disconnected": "{entity_name}斷線", + "entity_name_is_not_hot": "{entity_name}不熱", + "entity_name_unlocked": "{entity_name}已解鎖", + "entity_name_is_dry": "{entity_name}乾燥", + "entity_name_is_not_moving": "{entity_name}未在移動", + "entity_name_is_not_occupied": "{entity_name}未有人", + "entity_name_unplugged": "{entity_name}未插入", + "entity_name_not_powered": "{entity_name}未通電", + "entity_name_not_present": "{entity_name}未出現", + "entity_name_is_not_running": "{entity_name} 未在執行", + "condition_type_is_not_tampered": "{entity_name}未偵測到減弱", + "entity_name_is_safe": "{entity_name}安全", + "entity_name_is_occupied": "{entity_name}有人", + "entity_name_is_plugged_in": "{entity_name}插入", + "entity_name_is_powered": "{entity_name}通電", + "entity_name_is_present": "{entity_name}出現", + "entity_name_is_detecting_problem": "{entity_name}正偵測到問題", + "entity_name_is_running": "{entity_name} 正在執行", + "entity_name_is_detecting_smoke": "{entity_name}正偵測到煙霧", + "entity_name_is_detecting_sound": "{entity_name}正偵測到聲音", + "entity_name_is_detecting_tampering": "{entity_name}偵測到減弱作中", + "entity_name_is_unsafe": "{entity_name}不安全", + "condition_type_is_update": "{entity_name} 有更新", + "entity_name_is_detecting_vibration": "{entity_name}正偵測到震動", + "entity_name_battery_low": "{entity_name}電量低", + "entity_name_charging": "{entity_name}充電中", + "trigger_type_co": "{entity_name}已偵測到一氧化碳", + "entity_name_became_cold": "{entity_name}已變冷", + "entity_name_started_detecting_gas": "{entity_name}已開始偵測瓦斯", + "entity_name_became_hot": "{entity_name}已變熱", + "entity_name_started_detecting_light": "{entity_name}已開始偵測光線", + "entity_name_became_moist": "{entity_name}已變潮濕", + "entity_name_started_detecting_motion": "{entity_name}已偵測到動作", + "entity_name_started_moving": "{entity_name}開始移動", + "trigger_type_no_co": "{entity_name}已停止偵測一氧化碳", + "entity_name_stopped_detecting_gas": "{entity_name}已停止偵測瓦斯", + "entity_name_stopped_detecting_light": "{entity_name}已停止偵測光線", + "entity_name_stopped_detecting_motion": "{entity_name}已停止偵測動作", + "entity_name_stopped_detecting_problem": "{entity_name}已停止偵測問題", + "entity_name_stopped_detecting_smoke": "{entity_name}已停止偵測煙霧", + "entity_name_stopped_detecting_sound": "{entity_name}已停止偵測聲音", + "entity_name_became_up_to_date": "{entity_name}已最新", + "entity_name_stopped_detecting_vibration": "{entity_name}已停止偵測震動", + "entity_name_not_charging": "{entity_name}未在充電", + "entity_name_became_not_cold": "{entity_name}已不冷", + "entity_name_disconnected": "{entity_name}已斷線", + "entity_name_became_not_hot": "{entity_name}已不熱", + "entity_name_became_dry": "{entity_name}已變乾", + "entity_name_stopped_moving": "{entity_name}停止移動", + "trigger_type_not_running": "{entity_name}不再執行", + "entity_name_stopped_detecting_tampering": "{entity_name}已停止偵測減弱", + "entity_name_became_safe": "{entity_name}已安全", + "entity_name_became_occupied": "{entity_name}變成有人", + "entity_name_plugged_in": "{entity_name}已插入", + "entity_name_powered": "{entity_name}已通電", + "entity_name_present": "{entity_name}已出現", + "entity_name_started_detecting_problem": "{entity_name}已偵測到問題", + "entity_name_started_running": "{entity_name}開始執行", + "entity_name_started_detecting_smoke": "{entity_name}已偵測到煙霧", + "entity_name_started_detecting_sound": "{entity_name}已偵測到聲音", + "entity_name_started_detecting_tampering": "{entity_name}已偵測到減弱", + "entity_name_became_unsafe": "{entity_name}已不安全", + "trigger_type_update": "{entity_name}有更新", + "entity_name_started_detecting_vibration": "{entity_name}已偵測到震動", + "entity_name_is_buffering": "{entity_name} 緩衝中", + "entity_name_is_idle": "{entity_name}閒置", + "entity_name_is_paused": "{entity_name}已暫停", + "entity_name_is_playing": "{entity_name}正在播放", + "entity_name_starts_buffering": "{entity_name}開始緩衝", + "trigger_type_changed_states": "{entity_name}打開或關閉", + "entity_name_becomes_idle": "{entity_name}變成閒置", + "entity_name_starts_playing": "{entity_name}開始播放", + "toggle_entity_name": "切換{entity_name}", "arm_entity_name_away": "設定{entity_name}外出模式", "arm_entity_name_home": "設定{entity_name}返家模式", "arm_entity_name_night": "設定{entity_name}夜間模式", @@ -2268,12 +2392,25 @@ "entity_name_armed_vacation": "{entity_name}設定度假", "entity_name_disarmed": "{entity_name}已解除", "entity_name_triggered": "{entity_name}已觸發", + "entity_name_is_home": "{entity_name}在家", + "entity_name_is_not_home": "{entity_name}不在家", + "entity_name_enters_a_zone": "{entity_name}進入區域", + "entity_name_leaves_a_zone": "{entity_name}離開區域", + "lock_entity_name": "上鎖{entity_name}", + "unlock_entity_name": "解鎖{entity_name}", + "action_type_set_hvac_mode": "變更{entity_name} HVAC 模式", + "change_preset_on_entity_name": "變更{entity_name}設定模式", + "to": "至...狀態", + "entity_name_measured_humidity_changed": "{entity_name}量測濕度已變更", + "entity_name_measured_temperature_changed": "{entity_name}量測溫度已變更", + "entity_name_hvac_mode_changed": "{entity_name} HVAC 模式已變更", "current_entity_name_apparent_power": "目前{entity_name}視在功率", "condition_type_is_aqi": "目前{entity_name} AQI", "current_entity_name_atmospheric_pressure": "目前{entity_name}氣壓", "current_entity_name_battery_level": "目前{entity_name}電量", "condition_type_is_carbon_dioxide": "目前 {entity_name} 二氧化碳濃度狀態", "condition_type_is_carbon_monoxide": "目前 {entity_name} 一氧化碳濃度狀態", + "current_entity_name_conductivity": "目前{entity_name}電導率", "current_entity_name_current": "目前{entity_name}電流", "current_entity_name_data_rate": "目前 {entity_name}資料傳輸率", "current_entity_name_data_size": "目前 {entity_name} 資料大小", @@ -2316,6 +2453,7 @@ "entity_name_battery_level_changes": "{entity_name}電量變更", "trigger_type_carbon_dioxide": "{entity_name}二氧化碳濃度變化", "trigger_type_carbon_monoxide": "{entity_name}一氧化碳濃度變化", + "entity_name_conductivity_changes": "{entity_name}電導率變更", "entity_name_current_changes": "目前{entity_name}電流變更", "entity_name_data_rate_changes": "{entity_name}資料傳輸率變更", "entity_name_data_size_changes": "{entity_name}資料大小變更", @@ -2353,94 +2491,28 @@ "entity_name_water_changes": "{entity_name}水位變更", "entity_name_weight_changes": "{entity_name}重量變更", "entity_name_wind_speed_changes": "{entity_name}風速變更", - "press_entity_name_button": "按下 {entity_name} 按鈕", - "entity_name_has_been_pressed": "{entity_name}已按下", - "entity_name_battery_is_low": "{entity_name}電量過低", - "entity_name_is_charging": "{entity_name}正在充電中", - "condition_type_is_co": "{entity_name}正偵測到一氧化碳", - "entity_name_is_cold": "{entity_name}冷", - "entity_name_connected": "{entity_name}已連線", - "entity_name_is_detecting_gas": "{entity_name}偵測到瓦斯", - "entity_name_is_hot": "{entity_name}熱", - "entity_name_is_detecting_light": "{entity_name}偵測到光線中", - "entity_name_locked": "{entity_name}已上鎖", - "entity_name_is_moist": "{entity_name}潮濕", - "entity_name_is_detecting_motion": "{entity_name}偵測到動作中", - "entity_name_is_moving": "{entity_name}移動中", - "condition_type_is_no_co": "{entity_name}未偵測到一氧化碳", - "condition_type_is_no_gas": "{entity_name}未偵測到瓦斯", - "condition_type_is_no_light": "{entity_name}未偵測到光線", - "condition_type_is_no_motion": "{entity_name}未偵測到動作", - "condition_type_is_no_problem": "{entity_name}未偵測到問題", - "condition_type_is_no_smoke": "{entity_name}未偵測到煙霧", - "condition_type_is_no_sound": "{entity_name}未偵測到聲音", - "entity_name_is_up_to_date": "{entity_name} 已最新", - "condition_type_is_no_vibration": "{entity_name}未偵測到震動", - "entity_name_battery_normal": "{entity_name}電量正常", - "entity_name_is_not_charging": "{entity_name}未在充電中", - "entity_name_is_not_cold": "{entity_name}不冷", - "entity_name_is_disconnected": "{entity_name}斷線", - "entity_name_is_not_hot": "{entity_name}不熱", - "entity_name_unlocked": "{entity_name}已解鎖", - "entity_name_is_dry": "{entity_name}乾燥", - "entity_name_is_not_moving": "{entity_name}未在移動", - "entity_name_is_not_occupied": "{entity_name}未有人", - "entity_name_unplugged": "{entity_name}未插入", - "entity_name_not_powered": "{entity_name}未通電", - "entity_name_not_present": "{entity_name}未出現", - "entity_name_is_not_running": "{entity_name} 未在執行", - "condition_type_is_not_tampered": "{entity_name}未偵測到減弱", - "entity_name_is_safe": "{entity_name}安全", - "entity_name_is_occupied": "{entity_name}有人", - "entity_name_is_plugged_in": "{entity_name}插入", - "entity_name_is_powered": "{entity_name}通電", - "entity_name_is_present": "{entity_name}出現", - "entity_name_is_detecting_problem": "{entity_name}正偵測到問題", - "entity_name_is_running": "{entity_name} 正在執行", - "entity_name_is_detecting_smoke": "{entity_name}正偵測到煙霧", - "entity_name_is_detecting_sound": "{entity_name}正偵測到聲音", - "entity_name_is_detecting_tampering": "{entity_name}偵測到減弱作中", - "entity_name_is_unsafe": "{entity_name}不安全", - "condition_type_is_update": "{entity_name} 有更新", - "entity_name_is_detecting_vibration": "{entity_name}正偵測到震動", - "entity_name_battery_low": "{entity_name}電量低", - "entity_name_charging": "{entity_name}充電中", - "trigger_type_co": "{entity_name}已偵測到一氧化碳", - "entity_name_became_cold": "{entity_name}已變冷", - "entity_name_started_detecting_gas": "{entity_name}已開始偵測瓦斯", - "entity_name_became_hot": "{entity_name}已變熱", - "entity_name_started_detecting_light": "{entity_name}已開始偵測光線", - "entity_name_became_moist": "{entity_name}已變潮濕", - "entity_name_started_detecting_motion": "{entity_name}已偵測到動作", - "entity_name_started_moving": "{entity_name}開始移動", - "trigger_type_no_co": "{entity_name}已停止偵測一氧化碳", - "entity_name_stopped_detecting_gas": "{entity_name}已停止偵測瓦斯", - "entity_name_stopped_detecting_light": "{entity_name}已停止偵測光線", - "entity_name_stopped_detecting_motion": "{entity_name}已停止偵測動作", - "entity_name_stopped_detecting_problem": "{entity_name}已停止偵測問題", - "entity_name_stopped_detecting_smoke": "{entity_name}已停止偵測煙霧", - "entity_name_stopped_detecting_sound": "{entity_name}已停止偵測聲音", - "entity_name_stopped_detecting_vibration": "{entity_name}已停止偵測震動", - "entity_name_not_charging": "{entity_name}未在充電", - "entity_name_became_not_cold": "{entity_name}已不冷", - "entity_name_disconnected": "{entity_name}已斷線", - "entity_name_became_not_hot": "{entity_name}已不熱", - "entity_name_became_dry": "{entity_name}已變乾", - "entity_name_stopped_moving": "{entity_name}停止移動", - "trigger_type_not_running": "{entity_name}不再執行", - "entity_name_stopped_detecting_tampering": "{entity_name}已停止偵測減弱", - "entity_name_became_safe": "{entity_name}已安全", - "entity_name_became_occupied": "{entity_name}變成有人", - "entity_name_plugged_in": "{entity_name}已插入", - "entity_name_powered": "{entity_name}已通電", - "entity_name_present": "{entity_name}已出現", - "entity_name_started_detecting_problem": "{entity_name}已偵測到問題", - "entity_name_started_running": "{entity_name}開始執行", - "entity_name_started_detecting_smoke": "{entity_name}已偵測到煙霧", - "entity_name_started_detecting_sound": "{entity_name}已偵測到聲音", - "entity_name_started_detecting_tampering": "{entity_name}已偵測到減弱", - "entity_name_became_unsafe": "{entity_name}已不安全", - "entity_name_started_detecting_vibration": "{entity_name}已偵測到震動", + "decrease_entity_name_brightness": "降低{entity_name}亮度", + "increase_entity_name_brightness": "增加{entity_name}亮度", + "flash_entity_name": "閃動 {entity_name}", + "flash": "閃爍", + "fifth_button": "第五個按鈕", + "sixth_button": "第六個按鈕", + "subtype_continuously_pressed": "\"{subtype}\" 持續按下", + "trigger_type_button_long_release": "\"{subtype}\" 長按後釋放", + "subtype_quadruple_clicked": "\"{subtype}\" 四連擊", + "subtype_quintuple_clicked": "\"{subtype}\" 五連點擊", + "subtype_pressed": "\"{subtype}\" 已按下", + "subtype_released": "\"{subtype}\" 已釋放", + "action_type_select_first": "將{entity_name}變更為第一個選項", + "action_type_select_last": "將{entity_name}變更為最後一個選項", + "action_type_select_next": "將{entity_name}變更為下一個選項", + "change_entity_name_option": "變更{entity_name}選項", + "action_type_select_previous": "將{entity_name}變更為上一個選項", + "current_entity_name_selected_option": "目前{entity_name}已選選項", + "cycle": "循環", + "from": "從...狀態", + "entity_name_option_changed": "{entity_name}選項已變更", + "send_a_notification": "傳送通知", "both_buttons": "兩個按鈕", "bottom_buttons": "下方按鈕", "seventh_button": "第七個按鈕", @@ -2465,21 +2537,28 @@ "trigger_type_remote_rotate_from_side": "裝置由「第 6 面」旋轉至「{subtype}」", "device_turned_clockwise": "裝置順時針旋轉", "device_turned_counter_clockwise": "裝置逆時針旋轉", - "lock_entity_name": "上鎖{entity_name}", - "unlock_entity_name": "解鎖{entity_name}", - "critical": "關鍵", - "debug": "除錯", - "warning": "警告", + "press_entity_name_button": "按下 {entity_name} 按鈕", + "entity_name_has_been_pressed": "{entity_name}已按下", + "entity_name_update_availability_changed": "{entity_name}可用更新已變更", "add_to_queue": "新增至佇列", "play_next": "播放下一首", "options_replace": "立即播放並清除佇列", "repeat_all": "重複全部", "repeat_one": "重複單曲", - "alice_blue": "愛麗絲藍", - "antique_white": "仿古白", - "aqua": "水藍色", - "aquamarine": "海藍寶石", - "azure": "天藍色", + "critical": "關鍵", + "debug": "除錯", + "warning": "警告", + "most_recently_updated": "最近更新", + "arithmetic_mean": "算術平均值", + "median": "中間值", + "product": "產品", + "statistical_range": "統計範圍", + "standard_deviation": "標準差", + "alice_blue": "愛麗絲藍", + "antique_white": "仿古白", + "aqua": "水藍色", + "aquamarine": "海藍寶石", + "azure": "天藍色", "beige": "米色", "bisque": "濃湯色", "blanched_almond": "白杏色", @@ -2596,12 +2675,105 @@ "no_device_class": "無裝置類別", "no_state_class": "無狀態類別", "no_unit_of_measurement": "無測量單位", - "most_recently_updated": "最近更新", - "arithmetic_mean": "算術平均值", - "median": "中間值", - "product": "產品", - "statistical_range": "統計範圍", - "standard_deviation": "標準差", + "dump_log_objects": "轉存日誌物件", + "log_current_tasks_description": "紀錄所有目前 asyncio 任務。", + "log_current_asyncio_tasks": "紀錄目前 asyncio 任務", + "log_event_loop_scheduled": "已安排日誌事件循環", + "log_thread_frames_description": "紀錄目前所有線程框架。", + "log_thread_frames": "紀錄線程框架", + "lru_stats_description": "記錄所有 lru 暫存統計資料。", + "log_lru_stats": "紀錄 LRU 統計資料", + "starts_the_memory_profiler": "開始記憶體分析器。", + "memory": "記憶體", + "set_asyncio_debug_description": "開啟或關閉 asyncio 除錯。", + "enabled_description": "是否開啟或關閉 asyncio 除錯。", + "set_asyncio_debug": "設定 asyncio 除錯", + "starts_the_profiler": "開始分析器。", + "max_objects_description": "物件紀錄最大數目。", + "maximum_objects": "最大物件數", + "scan_interval_description": "記錄物件間的秒數。", + "scan_interval": "掃描間距", + "start_logging_object_sources": "開始紀錄物件來源", + "start_log_objects_description": "開始紀錄記憶體中增長物件。", + "start_logging_objects": "開始紀錄物件", + "stop_logging_object_sources": "停止紀錄物件來源", + "stop_log_objects_description": "停止紀錄記憶體中增長物件。", + "stop_logging_objects": "停止紀錄物件", + "request_sync_description": "傳送 request_sync 命令至 Google。", + "agent_user_id": "Agent 使用者 ID", + "request_sync": "請求同步", + "reload_resources_description": "重新載入 YAML 設定儀表板資源。", + "clears_all_log_entries": "清除所有日誌條目。", + "clear_all": "全部清除", + "write_log_entry": "寫入日誌條目。", + "log_level": "日誌等級。", + "level": "等級", + "message_to_log": "記錄的訊息。", + "write": "寫入", + "set_value_description": "設定數字值。", + "value_description": "設定參數數值", + "create_temporary_strict_connection_url_name": "新增臨時嚴格加密連線 URL", + "toggles_the_siren_on_off": "開啟/關閉 siren。", + "turns_the_siren_off": "關閉 siren。", + "turns_the_siren_on": "開啟 siren。", + "tone": "音調", + "add_event_description": "新增行事曆行程。", + "location_description": "行事曆位置,選項。", + "start_date_description": "整日行程開始的日期。", + "get_events": "取得事件", + "list_event": "行程列表", + "closes_a_cover": "關閉窗簾。", + "close_cover_tilt_description": "關閉百葉窗。", + "close_tilt": "關閉百葉窗", + "opens_a_cover": "開啟窗簾。", + "tilts_a_cover_open": "打開百葉窗。", + "open_tilt": "開啟百葉", + "set_cover_position_description": "移動窗簾至指定位置。", + "target_position": "目標位置。", + "set_position": "設定位置", + "target_tilt_positition": "目標百葉位置。", + "set_tilt_position": "設定百葉位置", + "stops_the_cover_movement": "停止窗簾動作。", + "stop_cover_tilt_description": "停止百葉角度調整動作", + "stop_tilt": "停止調整", + "toggles_a_cover_open_closed": "切換窗簾開啟/關閉。", + "toggle_cover_tilt_description": "切換百葉角度開啟/關閉。", + "toggle_tilt": "切換角度", + "check_configuration": "檢查設定", + "reload_all": "重新載入全部", + "reload_config_entry_description": "重新載入指定設定條目。", + "config_entry_id": "設定條目 ID。", + "reload_config_entry": "重新載入設定條目", + "reload_core_config_description": "重新載入 YAML 設定核心設定。", + "reload_core_configuration": "重新載入核心設定(core)", + "reload_custom_jinja_templates": "重新載入自訂 Jinja2 模板", + "restarts_home_assistant": "重啟 Home Assistant。", + "safe_mode_description": "關閉自訂整合與自訂視圖。", + "save_persistent_states": "保存持久狀態", + "set_location_description": "更新 Home Assistant 座標", + "elevation_of_your_location": "所在位置海拔。", + "latitude_of_your_location": "所在位置緯度。", + "longitude_of_your_location": "所在位置經度。", + "set_location": "設定座標", + "stops_home_assistant": "停止 Home Assistant。", + "generic_toggle": "通用切換", + "generic_turn_off": "通用關閉", + "generic_turn_on": "通用開啟", + "update_entity": "更新實體", + "creates_a_new_backup": "建立新備份。", + "decrement_description": "以 1 個步進遞減數值。", + "increment_description": "以 1 個步進遞增數值。", + "sets_the_value": "設定數值。", + "the_target_value": "目標值。", + "reloads_the_automation_configuration": "重新載入自動化設定。", + "toggle_description": "開啟/關閉媒體播放器。", + "trigger_description": "觸發自動化動作。", + "skip_conditions": "跳過條件", + "trigger": "觸發器", + "disables_an_automation": "關閉自動化。", + "stops_currently_running_actions": "停止目前執行中動作。", + "stop_actions": "停止動作", + "enables_an_automation": "開啟自動化。", "restart_add_on": "重啟附加元件。", "the_add_on_slug": "附加元件 Slug。", "starts_an_add_on": "啟動附加元件。", @@ -2609,7 +2781,7 @@ "addon_stdin_name": "寫入資料至附加元件 stdin。", "stops_an_add_on": "啟動附加元件執行。", "stop_add_on": "停止附加元件。", - "update_add_on": "更新附加元件。", + "update_add_on": "更新附加元件", "create_a_full_backup": "建立完整備份。", "compresses_the_backup_files": "壓縮備份檔案。", "compressed": "壓縮", @@ -2627,29 +2799,107 @@ "slug": "片段備份", "restore_partial_description": "回復部分備份。", "restores_home_assistant": "回復 Home Assistant。", - "broadcast_address": "廣播位址", - "broadcast_port_description": "傳送魔法封包的通訊埠。", - "broadcast_port": "廣播埠", - "mac_address": "MAC 位址", - "send_magic_packet": "傳送魔法封包", + "clears_the_playlist": "清除播放列表。", + "clear_playlist": "清除播放列表", + "selects_the_next_track": "選擇下一個曲目。", + "pauses": "暫停。", + "starts_playing": "開始播放。", + "toggles_play_pause": "切換播放/暫停。", + "selects_the_previous_track": "選擇上一個曲目。", + "seek": "搜尋", + "stops_playing": "停止播放。", + "starts_playing_specified_media": "開始播放指定媒體。", + "announce": "公告", + "repeat_mode_to_set": "設定重複模式。", + "select_sound_mode_description": "選擇特定的聲音模式。", + "select_sound_mode": "選擇聲音模式", + "select_source": "選擇來源", + "shuffle_description": "是否開啟隨機播放模式。", + "unjoin": "取消加入", + "turns_down_the_volume": "調低音量。", + "turn_down_volume": "調低音量", + "volume_mute_description": "將媒體播放器靜音或取消靜音。", + "is_volume_muted_description": "定義是否靜音。", + "mute_unmute_volume": "靜音/取消靜音音量", + "sets_the_volume_level": "設定音量等級。", + "set_volume": "設定音量", + "turns_up_the_volume": "調高音量。", + "turn_up_volume": "調高音量", + "apply_filter": "套用篩選器", + "days_to_keep": "保留天數", + "repack": "重新封包", + "purge": "清除", + "domains_to_remove": "要移除的實體類群", + "entity_globs_to_remove": "要刪除的實體群組", + "entities_to_remove": "要刪除的實體", + "purge_entities": "清除實體", + "decrease_speed_description": "降低風扇轉速。", + "percentage_step_description": "以百分比提高轉速。", + "decrease_speed": "降低轉速", + "increase_speed_description": "提高風扇轉速。", + "increase_speed": "提高轉速", + "oscillate_description": "控制風扇擺動。", + "turn_on_off_oscillation": "開啟/關閉擺動。", + "set_direction_description": "設定風扇旋轉方向。", + "direction_to_rotate": "旋轉方向。", + "set_direction": "設定方向", + "sets_the_fan_speed": "設定風扇轉速。", + "speed_of_the_fan": "風扇轉速。", + "percentage": "百分比", + "set_speed": "設定轉速", + "sets_preset_mode": "設定預置模式。", + "set_preset_mode": "設定預置模式", + "toggles_the_fan_on_off": "開啟/關閉風扇。", + "turns_fan_off": "關閉風扇。", + "turns_fan_on": "開啟風扇。", + "apply_description": "以設定啟用場景。", + "entities_description": "實體列表與其目標狀態。", + "transition": "轉換", + "apply": "套用", + "creates_a_new_scene": "建立新場景。", + "scene_id_description": "新場景的實體 ID。", + "scene_entity_id": "場景實體 ID", + "snapshot_entities": "系統備份實體", + "delete_description": "刪除動態建立的場景。", + "activates_a_scene": "啟用場景。", + "selects_the_first_option": "選擇第一個選項。", + "first": "最初", + "selects_the_last_option": "選擇最後一個選項。", + "select_the_next_option": "選擇下一個選項。", + "selects_an_option": "選擇選項。", + "option_to_be_selected": "選擇的選項。", + "selects_the_previous_option": "選擇上一個選項。", + "sets_the_options": "設定選項。", + "list_of_options": "選項列表。", + "set_options": "設定選項", + "closes_a_valve": "關閉閥門。", + "opens_a_valve": "開啟閥門。", + "set_valve_position_description": "轉動閥門至指定位置。", + "stops_the_valve_movement": "停止閥門動作。", + "toggles_a_valve_open_closed": "切換閥門開啟/關閉。", + "load_url_description": "於 Fully Kiosk Browser 載入 URL。", + "url_to_load": "所要載入的 URL。", + "load_url": "載入 URL", + "configuration_parameter_to_set": "要設定的設定參數。", + "key": "密鑰", + "application_description": "啟動應用程式的套件名稱。", + "application": "應用程式", + "start_application": "啟動程式", "command_description": "傳送至 Google Assistant 的命令。", "media_player_entity": "媒體播放器實體", "send_text_command": "傳送文字命令", - "clear_tts_cache": "清除 TTS 暫存", - "cache": "暫存", - "entity_id_description": "日誌條目中引用的實體。", - "language_description": "文字使用語言。預設為伺服器語言。", - "options_description": "包含整合特定選項的字典。", - "say_a_tts_message": "閱讀 TTS 訊息", - "media_player_entity_id_description": "用於播放訊息的媒體播放器。", - "speak": "閱讀", - "stops_a_running_script": "停止執行中的腳本。", - "request_sync_description": "傳送 request_sync 命令至 Google。", - "agent_user_id": "Agent 使用者 ID", - "request_sync": "請求同步", + "code_description": "用於解鎖鎖的代碼。", + "alarm_arm_vacation_description": "將警報設定為:度假警戒(_armed for vacation_)。", + "disarms_the_alarm": "解除警報。", + "alarm_trigger_description": "啟用外部警報觸發器", + "extract_media_url_description": "由服務中取得媒體網址。", + "format_query": "格式查詢", + "url_description": "可找到媒體的網址。", + "media_url": "媒體網址", + "get_media_url": "取得媒體網址", + "play_media_description": "由提供位置下載檔案。", "sets_a_random_effect": "設定隨機特效。", "sequence_description": "HSV 序列表(最高 16 個)。", - "backgrounds": "背景", "initial_brightness": "初始亮度。", "range_of_brightness": "亮度範圍。", "brightness_range": "亮度範圍", @@ -2663,7 +2913,6 @@ "saturation_range": "飽和度範圍", "segments_description": "區段表(0 代表全部)。", "segments": "區段", - "transition": "轉換時間", "range_of_transition": "轉換範圍。", "transition_range": "轉換範圍", "random_effect": "隨機特效。", @@ -2673,59 +2922,7 @@ "speed_of_spread": "傳播速度。", "spread": "傳播", "sequence_effect": "序列特效", - "check_configuration": "檢查設定", - "reload_all": "重新載入全部", - "reload_config_entry_description": "重新載入指定設定條目。", - "config_entry_id": "設定條目 ID。", - "reload_config_entry": "重新載入設定條目", - "reload_core_config_description": "重新載入 YAML 設定核心設定。", - "reload_core_configuration": "重新載入核心設定(core)", - "reload_custom_jinja_templates": "重新載入自訂 Jinja2 模板", - "restarts_home_assistant": "重啟 Home Assistant。", - "safe_mode_description": "關閉自訂整合與自訂視圖。", - "save_persistent_states": "保存持久狀態", - "set_location_description": "更新 Home Assistant 座標", - "elevation_of_your_location": "所在位置海拔。", - "latitude_of_your_location": "所在位置緯度。", - "longitude_of_your_location": "所在位置經度。", - "set_location": "設定座標", - "stops_home_assistant": "停止 Home Assistant。", - "generic_toggle": "通用切換", - "generic_turn_off": "通用關閉", - "generic_turn_on": "通用開啟", - "update_entity": "更新實體", - "add_event_description": "新增行事曆行程。", - "location_description": "行事曆位置,選項。", - "start_date_description": "整日行程開始的日期。", - "get_events": "取得事件", - "list_event": "行程列表", - "toggles_a_switch_on_off": "打開/關閉開關。", - "turns_a_switch_off": "關閉開關。", - "turns_a_switch_on": "打開開關。", - "disables_the_motion_detection": "關閉動作感測。", - "disable_motion_detection": "關閉動作感測", - "enables_the_motion_detection": "開啟動作感測。", - "enable_motion_detection": "開啟動作感測", - "format_description": "媒體播放器支援串流格式。", - "format": "格式", - "media_player_description": "播放串流的媒體播放器。", - "play_stream": "播放串流", - "filename": "檔名", - "lookback": "回看", - "snapshot_description": "由攝影機拍攝快照。", - "take_snapshot": "拍攝快照", - "turns_off_the_camera": "關閉攝影機。", - "turns_on_the_camera": "開啟攝影機。", - "notify_description": "針對選擇目標發送通知訊息。", - "data": "資料", - "message_description": "通知訊息內容。", - "title_of_the_notification": "通知標題。", - "send_a_persistent_notification": "傳送持續通知", - "sends_a_notification_message": "傳送通知訊息。", - "your_notification_message": "通知訊息。", - "title_description": "通知選項標題。", - "send_a_notification_message": "傳送通知訊息", - "creates_a_new_backup": "建立新備份。", + "press_the_button_entity": "按下按鈕實體。", "see_description": "記錄所發現的追蹤裝置。", "battery_description": "裝置電池電量。", "gps_coordinates": "GPS 座標", @@ -2733,17 +2930,46 @@ "hostname_of_the_device": "裝置主機名稱。", "hostname": "主機名稱", "mac_description": "裝置 MAC 位址。", + "mac_address": "MAC 位址", "see": "發現", - "log_description": "於日誌新增自訂條目。", - "apply_description": "以設定啟用場景。", - "entities_description": "實體列表與其目標狀態。", - "apply": "套用", - "creates_a_new_scene": "建立新場景。", - "scene_id_description": "新場景的實體 ID。", - "scene_entity_id": "場景實體 ID", - "snapshot_entities": "系統備份實體", - "delete_description": "刪除動態建立的場景。", - "activates_a_scene": "啟用場景。", + "process_description": "從轉錄文字啟動對話。", + "conversation_id": "對話 ID", + "language_description": "用於語音生成的語言。", + "transcribed_text_input": "轉錄的文字輸入。", + "process": "過程", + "reloads_the_intent_configuration": "重新載入 intent 設定。", + "conversation_agent_to_reload": "重新載入對話助理。", + "create_description": "顯示 **通知** 面板通知。", + "message_description": "日誌條目訊息。", + "notification_id": "通知 ID", + "title_description": "通知訊息的標題。", + "dismiss_description": "移除 **通知** 面板通知。", + "notification_id_description": "要移除的通知 ID。", + "dismiss_all_description": "移除所有 **通知** 面板通知。", + "notify_description": "針對選擇目標發送通知訊息。", + "data": "資料", + "title_of_the_notification": "通知標題。", + "send_a_persistent_notification": "傳送持續通知", + "sends_a_notification_message": "傳送通知訊息。", + "your_notification_message": "通知訊息。", + "send_a_notification_message": "傳送通知訊息", + "device_description": "傳送命令的裝置 ID。", + "delete_command": "刪除命令", + "alternative": "替代", + "command_type_description": "要學習的命令類別。", + "command_type": "命令類別", + "timeout_description": "學習命令逾時時間。", + "learn_command": "學習命令", + "delay_seconds": "延遲秒數", + "hold_seconds": "保持秒數", + "send_command": "傳送命令", + "toggles_a_device_on_off": "開啟/關閉裝置。", + "turns_the_device_off": "關閉裝置。", + "turn_on_description": "傳送開機命令。", + "stops_a_running_script": "停止執行中的腳本。", + "locks_a_lock": "鎖定鎖。", + "opens_a_lock": "打開鎖。", + "unlocks_a_lock": "解鎖鎖。", "turns_auxiliary_heater_on_off": "開啟/關閉輔助加熱器。", "aux_heat_description": "輔助加熱器新設定值", "auxiliary_heating": "輔助加熱器", @@ -2756,8 +2982,6 @@ "sets_hvac_operation_mode": "設定 HVAC 運轉模式。", "hvac_operation_mode": "HVAC 運轉模式。", "set_hvac_mode": "設定 HVAC 模式", - "sets_preset_mode": "設定預置模式。", - "set_preset_mode": "設定預置模式", "sets_swing_operation_mode": "設定擺動運轉模式。", "swing_operation_mode": "擺動運轉模式", "set_swing_mode": "設定擺動模式", @@ -2769,71 +2993,24 @@ "set_target_temperature": "設定目標溫度", "turns_climate_device_off": "關閉溫控裝置。", "turns_climate_device_on": "開啟溫控裝置。", - "clears_all_log_entries": "清除所有日誌條目。", - "clear_all": "全部清除", - "write_log_entry": "寫入日誌條目。", - "log_level": "日誌等級。", - "level": "等級", - "message_to_log": "記錄的訊息。", - "write": "寫入", - "device_description": "傳送命令的裝置 ID。", - "delete_command": "刪除命令", - "alternative": "替代", - "command_type_description": "要學習的命令類別。", - "command_type": "命令類別", - "timeout_description": "學習命令逾時時間。", - "learn_command": "學習命令", - "delay_seconds": "延遲秒數", - "hold_seconds": "保持秒數", - "send_command": "傳送命令", - "toggles_a_device_on_off": "開啟/關閉裝置。", - "turns_the_device_off": "關閉裝置。", - "turn_on_description": "傳送開機命令。", - "clears_the_playlist": "清除播放列表。", - "clear_playlist": "清除播放列表", - "selects_the_next_track": "選擇下一個曲目。", - "pauses": "暫停。", - "starts_playing": "開始播放。", - "toggles_play_pause": "切換播放/暫停。", - "selects_the_previous_track": "選擇上一個曲目。", - "seek": "搜尋", - "stops_playing": "停止播放。", - "starts_playing_specified_media": "開始播放指定媒體。", - "announce": "公告", - "repeat_mode_to_set": "設定重複模式。", - "select_sound_mode_description": "選擇特定的聲音模式。", - "select_sound_mode": "選擇聲音模式", - "select_source": "選擇來源", - "shuffle_description": "是否開啟隨機播放模式。", - "toggle_description": "觸發(開啟/關閉)自動化。", - "unjoin": "取消加入", - "turns_down_the_volume": "調低音量。", - "turn_down_volume": "調低音量", - "volume_mute_description": "將媒體播放器靜音或取消靜音。", - "is_volume_muted_description": "定義是否靜音。", - "mute_unmute_volume": "靜音/取消靜音音量", - "sets_the_volume_level": "設定音量等級。", - "set_volume": "設定音量", - "turns_up_the_volume": "調高音量。", - "turn_up_volume": "調高音量", - "topic_to_listen_to": "監聽的主題。", - "export": "輸出", - "publish_description": "發佈訊息至 MQTT 主題。", - "the_payload_to_publish": "發佈的內容。", - "payload_template": "內容模板", - "qos": "QoS", - "retain": "保留", - "topic_to_publish_to": "發佈的主題。", - "publish": "發佈", + "calendar_id_description": "希望行事曆 ID。", + "calendar_id": "行事曆 ID", + "description_description": "行事曆行程說明,選項。", + "summary_description": "使用為行程標題。", + "creates_event": "建立行事曆", + "dashboard_path": "儀表板路徑", + "view_path": "畫布路徑", + "show_dashboard_view": "顯示儀表板畫布", "brightness_value": "亮度值", "a_human_readable_color_name": "容易理解的色彩名稱。", "color_name": "顏色名稱", "color_temperature_in_mireds": "色溫(以 mireds 為單位)", "light_effect": "燈光特效。", - "flash": "閃光", "hue_sat_color": "色相/飽和度顏色", "color_temperature_in_kelvin": "色溫(以 Kelvin 為單位)", "profile_description": "使用個人設定燈光名稱。", + "rgbw_color": "RGBW 顏色", + "rgbww_color": "RGBWW 顏色", "white_description": "將燈光設置為白色模式。", "xy_color": "XY 顏色", "turn_off_description": "關閉一盞或多盞燈。", @@ -2841,179 +3018,67 @@ "brightness_step_value": "亮度步進值", "brightness_step_pct_description": "以百分比調整亮度。", "brightness_step": "亮度步進", - "rgbw_color": "RGBW 顏色", - "rgbww_color": "RGBWW 顏色", - "reloads_the_automation_configuration": "重新載入自動化設定。", - "trigger_description": "觸發自動化動作。", - "skip_conditions": "跳過條件", - "trigger": "觸發器", - "disables_an_automation": "關閉自動化。", - "stops_currently_running_actions": "停止目前執行中動作。", - "stop_actions": "停止動作", - "enables_an_automation": "開啟自動化。", - "dashboard_path": "儀表板路徑", - "view_path": "畫布路徑", - "show_dashboard_view": "顯示儀表板畫布", - "toggles_the_siren_on_off": "開啟/關閉 siren。", - "turns_the_siren_off": "關閉 siren。", - "turns_the_siren_on": "開啟 siren。", - "tone": "音調", - "extract_media_url_description": "由服務中取得媒體網址。", - "format_query": "格式查詢", - "url_description": "可找到媒體的網址。", - "media_url": "媒體網址", - "get_media_url": "取得媒體網址", - "play_media_description": "由提供位置下載檔案。", - "removes_a_group": "移除群組。", - "object_id": "Object ID", - "creates_updates_a_user_group": "建立/更新使用者群組。", - "add_entities": "新增實體", - "icon_description": "群組圖示名稱。", - "name_of_the_group": "群組名稱。", - "selects_the_first_option": "選擇第一個選項。", - "first": "最初", - "selects_the_last_option": "選擇最後一個選項。", - "select_the_next_option": "選擇下一個選項。", - "cycle": "循環", - "selects_an_option": "選擇選項。", - "option_to_be_selected": "選擇的選項。", - "selects_the_previous_option": "選擇上一個選項。", - "create_description": "顯示 **通知** 面板通知。", - "notification_id": "通知 ID", - "dismiss_description": "移除 **通知** 面板通知。", - "notification_id_description": "要移除的通知 ID。", - "dismiss_all_description": "移除所有 **通知** 面板通知。", - "cancels_a_timer": "取消計時器。", - "changes_a_timer": "變更計時器。", - "finishes_a_timer": "完成計時器。", - "pauses_a_timer": "暫停計時器。", - "starts_a_timer": "開始計時器。", - "duration_description": "計時器完成持續時間。 [選項]。", - "sets_the_options": "設定選項。", - "list_of_options": "選項列表。", - "set_options": "設定選項", - "clear_skipped_update": "清除已跳過更新", - "install_update": "安裝更新", - "skip_description": "將目前可用的更新標示為跳過。", - "skip_update": "跳過更新", - "set_default_level_description": "設定整合的預設日誌等級。", - "level_description": "所有整合的預設嚴重性等級。", - "set_default_level": "設定預設等級", - "set_level": "設定等級", - "create_temporary_strict_connection_url_name": "新增臨時嚴格加密連線 URL", - "remote_connect": "遠端連線", - "remote_disconnect": "遠端斷線", - "set_value_description": "設定數字值。", - "value_description": "設定參數數值", - "value": "數值", - "closes_a_cover": "關閉窗簾。", - "close_cover_tilt_description": "關閉百葉窗。", - "close_tilt": "關閉百葉窗", - "opens_a_cover": "開啟窗簾。", - "tilts_a_cover_open": "打開百葉窗。", - "open_tilt": "開啟百葉", - "set_cover_position_description": "移動窗簾至指定位置。", - "target_position": "目標位置。", - "set_position": "設定位置", - "target_tilt_positition": "目標百葉位置。", - "set_tilt_position": "設定百葉位置", - "stops_the_cover_movement": "停止窗簾動作。", - "stop_cover_tilt_description": "停止百葉角度調整動作", - "stop_tilt": "停止調整", - "toggles_a_cover_open_closed": "切換窗簾開啟/關閉。", - "toggle_cover_tilt_description": "切換百葉角度開啟/關閉。", - "toggle_tilt": "切換角度", - "toggles_the_helper_on_off": "開啟/關閉助手。", - "turns_off_the_helper": "關閉助手。", - "turns_on_the_helper": "開啟助手。", - "decrement_description": "以 1 個步進遞減數值。", - "increment_description": "以 1 個步進遞增數值。", - "sets_the_value": "設定數值。", - "the_target_value": "目標值。", - "dump_log_objects": "轉存日誌物件", - "log_current_tasks_description": "紀錄所有目前 asyncio 任務。", - "log_current_asyncio_tasks": "紀錄目前 asyncio 任務", - "log_event_loop_scheduled": "已安排日誌事件循環", - "log_thread_frames_description": "紀錄目前所有線程框架。", - "log_thread_frames": "紀錄線程框架", - "lru_stats_description": "記錄所有 lru 暫存統計資料。", - "log_lru_stats": "紀錄 LRU 統計資料", - "starts_the_memory_profiler": "開始記憶體分析器。", - "memory": "記憶體", - "set_asyncio_debug_description": "開啟或關閉 asyncio 除錯。", - "enabled_description": "是否開啟或關閉 asyncio 除錯。", - "set_asyncio_debug": "設定 asyncio 除錯", - "starts_the_profiler": "開始分析器。", - "max_objects_description": "物件紀錄最大數目。", - "maximum_objects": "最大物件數", - "scan_interval_description": "記錄物件間的秒數。", - "scan_interval": "掃描間距", - "start_logging_object_sources": "開始紀錄物件來源", - "start_log_objects_description": "開始紀錄記憶體中增長物件。", - "start_logging_objects": "開始紀錄物件", - "stop_logging_object_sources": "停止紀錄物件來源", - "stop_log_objects_description": "停止紀錄記憶體中增長物件。", - "stop_logging_objects": "停止紀錄物件", - "process_description": "從轉錄文字啟動對話。", - "conversation_id": "對話 ID", - "transcribed_text_input": "轉錄的文字輸入。", - "process": "過程", - "reloads_the_intent_configuration": "重新載入 intent 設定。", - "conversation_agent_to_reload": "重新載入對話助理。", - "apply_filter": "套用篩選器", - "days_to_keep": "保留天數", - "repack": "重新封包", - "purge": "清除", - "domains_to_remove": "要移除的實體類群", - "entity_globs_to_remove": "要刪除的實體群組", - "entities_to_remove": "要刪除的實體", - "purge_entities": "清除實體", - "reload_resources_description": "重新載入 YAML 設定儀表板資源。", + "topic_to_listen_to": "監聽的主題。", + "export": "輸出", + "publish_description": "發佈訊息至 MQTT 主題。", + "the_payload_to_publish": "發佈的內容。", + "payload_template": "內容模板", + "qos": "QoS", + "retain": "保留", + "topic_to_publish_to": "發佈的主題。", + "publish": "發佈", + "ptz_move_description": "以定義轉速轉動攝影機。", + "ptz_move_speed": "PTZ 轉動速度。", + "ptz_move": "PTZ 模式", + "log_description": "於日誌新增自訂條目。", + "entity_id_description": "用於播放訊息的媒體播放器。", + "toggles_a_switch_on_off": "打開/關閉開關。", + "turns_a_switch_off": "關閉開關。", + "turns_a_switch_on": "打開開關。", "reload_themes_description": "重新載入 YAML 設定主題。", "reload_themes": "重新載入主題", "name_of_a_theme": "主題名稱。", "set_the_default_theme": "設定預設主題", + "toggles_the_helper_on_off": "開啟/關閉助手。", + "turns_off_the_helper": "關閉助手。", + "turns_on_the_helper": "開啟助手。", "decrements_a_counter": "遞減計數器。", "increments_a_counter": "遞增計數器。", "resets_a_counter": "重置計數器。", "sets_the_counter_value": "設定計數器數值。", - "code_description": "用於解鎖鎖的代碼。", - "alarm_arm_vacation_description": "將警報設定為:度假警戒(_armed for vacation_)。", - "disarms_the_alarm": "解除警報。", - "alarm_trigger_description": "啟用外部警報觸發器", + "remote_connect": "遠端連線", + "remote_disconnect": "遠端斷線", "get_weather_forecast": "取得天氣預報。", "type_description": "預報類型:每日、每小時或每日兩次。", "forecast_type": "預報類型", "get_forecast": "取得預報", - "load_url_description": "於 Fully Kiosk Browser 載入 URL。", - "url_to_load": "所要載入的 URL。", - "load_url": "載入 URL", - "configuration_parameter_to_set": "要設定的設定參數。", - "key": "密鑰", - "application_description": "啟動應用程式的套件名稱。", - "application": "應用程式", - "start_application": "啟動程式", - "decrease_speed_description": "降低風扇轉速。", - "percentage_step_description": "以百分比提高轉速。", - "decrease_speed": "降低轉速", - "increase_speed_description": "提高風扇轉速。", - "increase_speed": "提高轉速", - "oscillate_description": "控制風扇擺動。", - "turn_on_off_oscillation": "開啟/關閉擺動。", - "set_direction_description": "設定風扇旋轉方向。", - "direction_to_rotate": "旋轉方向。", - "set_direction": "設定方向", - "sets_the_fan_speed": "設定風扇轉速。", - "speed_of_the_fan": "風扇轉速。", - "percentage": "百分比", - "set_speed": "設定轉速", - "toggles_the_fan_on_off": "開啟/關閉風扇。", - "turns_fan_off": "關閉風扇。", - "turns_fan_on": "開啟風扇。", - "locks_a_lock": "鎖定鎖。", - "opens_a_lock": "打開鎖。", - "unlocks_a_lock": "解鎖鎖。", - "press_the_button_entity": "按下按鈕實體。", + "disables_the_motion_detection": "關閉動作感測。", + "disable_motion_detection": "關閉動作感測", + "enables_the_motion_detection": "開啟動作感測。", + "enable_motion_detection": "開啟動作感測", + "format_description": "媒體播放器支援串流格式。", + "format": "格式", + "media_player_description": "播放串流的媒體播放器。", + "play_stream": "播放串流", + "filename": "檔名", + "lookback": "回看", + "snapshot_description": "由攝影機拍攝快照。", + "take_snapshot": "拍攝快照", + "turns_off_the_camera": "關閉攝影機。", + "turns_on_the_camera": "開啟攝影機。", + "clear_tts_cache": "清除 TTS 暫存", + "cache": "暫存", + "options_description": "包含整合特定選項的字典。", + "say_a_tts_message": "閱讀 TTS 訊息", + "speak": "閱讀", + "broadcast_address": "廣播位址", + "broadcast_port_description": "傳送魔法封包的通訊埠。", + "broadcast_port": "廣播埠", + "send_magic_packet": "傳送魔法封包", + "set_datetime_description": "設定日期和/或時間。", + "the_target_date": "目標日期。", + "datetime_description": "目標日期和時間。", + "the_target_time": "目標時間。", "bridge_identifier": "橋接器識別", "configuration_payload": "設定 payload", "entity_description": "代表 deCONZ 特定裝置端點。", @@ -3021,21 +3086,24 @@ "device_refresh_description": "更新來自 deCONZ 的可用裝置。", "device_refresh": "裝置更新", "remove_orphaned_entries": "移除孤立的實體", - "closes_a_valve": "關閉閥門。", - "opens_a_valve": "開啟閥門。", - "set_valve_position_description": "轉動閥門至指定位置。", - "stops_the_valve_movement": "停止閥門動作。", - "toggles_a_valve_open_closed": "切換閥門開啟/關閉。", - "calendar_id_description": "希望行事曆 ID。", - "calendar_id": "行事曆 ID", - "description_description": "行事曆行程說明,選項。", - "summary_description": "使用為行程標題。", - "creates_event": "建立行事曆", - "ptz_move_description": "以定義轉速轉動攝影機。", - "ptz_move_speed": "PTZ 轉動速度。", - "ptz_move": "PTZ 模式", - "set_datetime_description": "設定日期和/或時間。", - "the_target_date": "目標日期。", - "datetime_description": "目標日期和時間。", - "the_target_time": "目標時間。" + "removes_a_group": "移除群組。", + "object_id": "Object ID", + "creates_updates_a_user_group": "建立/更新使用者群組。", + "add_entities": "新增實體", + "icon_description": "群組圖示名稱。", + "name_of_the_group": "群組名稱。", + "cancels_a_timer": "取消計時器。", + "changes_a_timer": "變更計時器。", + "finishes_a_timer": "完成計時器。", + "pauses_a_timer": "暫停計時器。", + "starts_a_timer": "開始計時器。", + "duration_description": "計時器完成持續時間。 [選項]。", + "set_default_level_description": "設定整合的預設日誌等級。", + "level_description": "所有整合的預設嚴重性等級。", + "set_default_level": "設定預設等級", + "set_level": "設定等級", + "clear_skipped_update": "清除已跳過更新", + "install_update": "安裝更新", + "skip_description": "將目前可用的更新標示為跳過。", + "skip_update": "跳過更新" } \ No newline at end of file diff --git a/packages/core/src/hooks/useTemplate/index.ts b/packages/core/src/hooks/useTemplate/index.ts new file mode 100644 index 0000000..94dc141 --- /dev/null +++ b/packages/core/src/hooks/useTemplate/index.ts @@ -0,0 +1,82 @@ +import { useRef, useEffect, useMemo, useState } from "react"; +import { EntityName, useHass } from "@core"; +import { MessageBase, UnsubscribeFunc } from "home-assistant-js-websocket"; + +type RenderTemplateResult = { + result: string; +} & MessageBase; + +type RenderTemplateError = { + error: string; + code: string; +}; + +export type TemplateParams = { + /** The template expression to process */ + template: string; + /** The entity ids or id to watch for changes, this has been marked as @deprecated and may not be needed to use this */ + entity_ids?: EntityName | EntityName[]; + /** variables to define to use within the template + * @example + * variables: { entity_id: 'climate.air_conditioner' } + * you can now use entity_id in your template expression + */ + variables?: Record; + /** amount of time that should pass before aborting the template request @default undefined */ + timeout?: number; + /** should the template renderer be strict, raise on undefined variables etc @default false */ + strict?: boolean; + /** should the template renderer report any errors @default false */ + report_errors?: boolean; +}; + +export const useTemplate = (params: TemplateParams) => { + const { useStore } = useHass(); + const connection = useStore((state) => state.connection); + const [template, setTemplate] = useState(null); + const unsubscribeRef = useRef(null); + const _params = useMemo(() => params, [params]); + + useEffect(() => { + return () => { + try { + unsubscribeRef.current?.(); + unsubscribeRef.current = null; + } catch (e) { + // may have already unsubscribed + unsubscribeRef.current = null; + } + }; + }, []); + + useEffect(() => { + if (!connection) return; + const handleResponse = (response: RenderTemplateResult) => { + if (response?.result) { + setTemplate((previous) => (previous === response.result ? previous : response.result)); + } + }; + + const handleError = (err: RenderTemplateError) => { + if (err?.code === "template_error") { + setTemplate(err.error); + } else { + setTemplate(err?.error || "Could not process template request."); + } + }; + + connection + .subscribeMessage(handleResponse, { + type: "render_template", + ..._params, + }) + .then((unsubscribe) => { + unsubscribeRef.current = unsubscribe; + }) + .catch((e: RenderTemplateError) => { + handleError(e); + }); + }, [connection, _params]); + + return useMemo(() => template, [template]); +}; diff --git a/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx b/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx new file mode 100644 index 0000000..4745da3 --- /dev/null +++ b/packages/core/src/hooks/useTemplate/useTemplate.stories.tsx @@ -0,0 +1,153 @@ +import { Story, Source, Title, Description, ArgTypes } from "@storybook/blocks"; +import type { Meta, StoryObj } from "@storybook/react"; +import { useTemplate, useEntity } from "@hakit/core"; +import { ThemeProvider, Column, Alert, Row, FabCard } from "@components"; +import { HassConnect } from "@hass-connect-fake"; + +const templateCodeToProcess = ` +{% if is_state(entity_id, "on") %} + The entity is on!! +{% else %} + The entity is not on!! +{% endif %} +`; + +const exampleUsage = ` +import { useTemplate } from "@hakit/core"; +function RenderCustomTemplate() { + const template = useTemplate({ + template: templateCodeToProcess, + variables: { entity_id: 'light.fake_light_1' } + }); + return <> + Template result: {template ?? 'loading'} + +} +`; + +function SubscribeTemplateExample() { + const entity = useEntity("light.fake_light_1"); + const template = useTemplate({ + template: templateCodeToProcess, + variables: { entity_id: "light.fake_light_1" }, + }); + return ( + + + + + + + + + + + ); +} + +function Template() { + return ( + + + + + + + ); +} + +export default { + title: "HOOKS/useTemplate", + component: Template, + tags: ["autodocs"], + parameters: { + centered: true, + height: "auto", + docs: { + page: () => ( + <> + + <h5> + <mark>{`useTemplate(params: TemplateParams)`}</mark> + </h5> + <Description /> + <ArgTypes /> + <p>The following is the use of the hook in it's default form:</p> + <Source + dark + code={`const template = useTemplate({ + template: '{{ is_state_attr("climate.air_conditioner", "state", "heat") }}', +});`} + /> + <p>Here's a working example of how this hook functions when connected to entities:</p> + <Template /> + </> + ), + description: { + component: `A hook to render templates the same way home assistant allows you to through yaml files. This hook will automatically update whenever something changes that should indicate the template should be updated, This hook will follow all available features with template (https://www.home-assistant.io/docs/configuration/templating) specified and handled from Home Assistant.`, + }, + }, + }, + argTypes: { + template: { + control: "text", + description: "The template expression to process", + table: { + type: { summary: "string" }, + }, + }, + entity_ids: { + control: "object", + description: "The entity ids or id to watch for changes, this has been marked as @deprecated and may not be needed to use this", + table: { + type: { summary: "EntityName | EntityName[]" }, + }, + }, + variables: { + control: "object", + description: + "Variables to define to use within the template\n@example\nvariables: { entity_id: 'climate.air_conditioner' }\nYou can now use entity_id in your template expression", + table: { + type: { summary: "Record<string, unknown>" }, + }, + }, + timeout: { + control: "number", + description: "Amount of time that should pass before aborting the template request", + table: { + type: { summary: "number" }, + defaultValue: { summary: "undefined" }, + }, + }, + strict: { + control: "boolean", + description: "Should the template renderer be strict, raise on undefined variables etc", + table: { + type: { summary: "boolean" }, + defaultValue: { summary: "false" }, + }, + }, + report_errors: { + control: "boolean", + description: "Should the template renderer report any errors", + table: { + type: { summary: "boolean" }, + defaultValue: { summary: "false" }, + }, + }, + }, +} satisfies Meta; + +export type Story = StoryObj; +export const Docs: Story = { + args: {}, +};